]> git.lizzy.rs Git - rust.git/blob - library/std/src/path.rs
remove pat2021
[rust.git] / library / std / src / path.rs
1 //! Cross-platform path manipulation.
2 //!
3 //! This module provides two types, [`PathBuf`] and [`Path`] (akin to [`String`]
4 //! and [`str`]), for working with paths abstractly. These types are thin wrappers
5 //! around [`OsString`] and [`OsStr`] respectively, meaning that they work directly
6 //! on strings according to the local platform's path syntax.
7 //!
8 //! Paths can be parsed into [`Component`]s by iterating over the structure
9 //! returned by the [`components`] method on [`Path`]. [`Component`]s roughly
10 //! correspond to the substrings between path separators (`/` or `\`). You can
11 //! reconstruct an equivalent path from components with the [`push`] method on
12 //! [`PathBuf`]; note that the paths may differ syntactically by the
13 //! normalization described in the documentation for the [`components`] method.
14 //!
15 //! ## Simple usage
16 //!
17 //! Path manipulation includes both parsing components from slices and building
18 //! new owned paths.
19 //!
20 //! To parse a path, you can create a [`Path`] slice from a [`str`]
21 //! slice and start asking questions:
22 //!
23 //! ```
24 //! use std::path::Path;
25 //! use std::ffi::OsStr;
26 //!
27 //! let path = Path::new("/tmp/foo/bar.txt");
28 //!
29 //! let parent = path.parent();
30 //! assert_eq!(parent, Some(Path::new("/tmp/foo")));
31 //!
32 //! let file_stem = path.file_stem();
33 //! assert_eq!(file_stem, Some(OsStr::new("bar")));
34 //!
35 //! let extension = path.extension();
36 //! assert_eq!(extension, Some(OsStr::new("txt")));
37 //! ```
38 //!
39 //! To build or modify paths, use [`PathBuf`]:
40 //!
41 //! ```
42 //! use std::path::PathBuf;
43 //!
44 //! // This way works...
45 //! let mut path = PathBuf::from("c:\\");
46 //!
47 //! path.push("windows");
48 //! path.push("system32");
49 //!
50 //! path.set_extension("dll");
51 //!
52 //! // ... but push is best used if you don't know everything up
53 //! // front. If you do, this way is better:
54 //! let path: PathBuf = ["c:\\", "windows", "system32.dll"].iter().collect();
55 //! ```
56 //!
57 //! [`components`]: Path::components
58 //! [`push`]: PathBuf::push
59
60 #![stable(feature = "rust1", since = "1.0.0")]
61 #![deny(unsafe_op_in_unsafe_fn)]
62
63 #[cfg(test)]
64 mod tests;
65
66 use crate::borrow::{Borrow, Cow};
67 use crate::cmp;
68 use crate::error::Error;
69 use crate::fmt;
70 use crate::fs;
71 use crate::hash::{Hash, Hasher};
72 use crate::io;
73 use crate::iter::{self, FusedIterator};
74 use crate::ops::{self, Deref};
75 use crate::rc::Rc;
76 use crate::str::FromStr;
77 use crate::sync::Arc;
78
79 use crate::ffi::{OsStr, OsString};
80
81 use crate::sys::path::{is_sep_byte, is_verbatim_sep, parse_prefix, MAIN_SEP_STR};
82
83 ////////////////////////////////////////////////////////////////////////////////
84 // GENERAL NOTES
85 ////////////////////////////////////////////////////////////////////////////////
86 //
87 // Parsing in this module is done by directly transmuting OsStr to [u8] slices,
88 // taking advantage of the fact that OsStr always encodes ASCII characters
89 // as-is.  Eventually, this transmutation should be replaced by direct uses of
90 // OsStr APIs for parsing, but it will take a while for those to become
91 // available.
92
93 ////////////////////////////////////////////////////////////////////////////////
94 // Windows Prefixes
95 ////////////////////////////////////////////////////////////////////////////////
96
97 /// Windows path prefixes, e.g., `C:` or `\\server\share`.
98 ///
99 /// Windows uses a variety of path prefix styles, including references to drive
100 /// volumes (like `C:`), network shared folders (like `\\server\share`), and
101 /// others. In addition, some path prefixes are "verbatim" (i.e., prefixed with
102 /// `\\?\`), in which case `/` is *not* treated as a separator and essentially
103 /// no normalization is performed.
104 ///
105 /// # Examples
106 ///
107 /// ```
108 /// use std::path::{Component, Path, Prefix};
109 /// use std::path::Prefix::*;
110 /// use std::ffi::OsStr;
111 ///
112 /// fn get_path_prefix(s: &str) -> Prefix {
113 ///     let path = Path::new(s);
114 ///     match path.components().next().unwrap() {
115 ///         Component::Prefix(prefix_component) => prefix_component.kind(),
116 ///         _ => panic!(),
117 ///     }
118 /// }
119 ///
120 /// # if cfg!(windows) {
121 /// assert_eq!(Verbatim(OsStr::new("pictures")),
122 ///            get_path_prefix(r"\\?\pictures\kittens"));
123 /// assert_eq!(VerbatimUNC(OsStr::new("server"), OsStr::new("share")),
124 ///            get_path_prefix(r"\\?\UNC\server\share"));
125 /// assert_eq!(VerbatimDisk(b'C'), get_path_prefix(r"\\?\c:\"));
126 /// assert_eq!(DeviceNS(OsStr::new("BrainInterface")),
127 ///            get_path_prefix(r"\\.\BrainInterface"));
128 /// assert_eq!(UNC(OsStr::new("server"), OsStr::new("share")),
129 ///            get_path_prefix(r"\\server\share"));
130 /// assert_eq!(Disk(b'C'), get_path_prefix(r"C:\Users\Rust\Pictures\Ferris"));
131 /// # }
132 /// ```
133 #[derive(Copy, Clone, Debug, Hash, PartialOrd, Ord, PartialEq, Eq)]
134 #[stable(feature = "rust1", since = "1.0.0")]
135 pub enum Prefix<'a> {
136     /// Verbatim prefix, e.g., `\\?\cat_pics`.
137     ///
138     /// Verbatim prefixes consist of `\\?\` immediately followed by the given
139     /// component.
140     #[stable(feature = "rust1", since = "1.0.0")]
141     Verbatim(#[stable(feature = "rust1", since = "1.0.0")] &'a OsStr),
142
143     /// Verbatim prefix using Windows' _**U**niform **N**aming **C**onvention_,
144     /// e.g., `\\?\UNC\server\share`.
145     ///
146     /// Verbatim UNC prefixes consist of `\\?\UNC\` immediately followed by the
147     /// server's hostname and a share name.
148     #[stable(feature = "rust1", since = "1.0.0")]
149     VerbatimUNC(
150         #[stable(feature = "rust1", since = "1.0.0")] &'a OsStr,
151         #[stable(feature = "rust1", since = "1.0.0")] &'a OsStr,
152     ),
153
154     /// Verbatim disk prefix, e.g., `\\?\C:`.
155     ///
156     /// Verbatim disk prefixes consist of `\\?\` immediately followed by the
157     /// drive letter and `:`.
158     #[stable(feature = "rust1", since = "1.0.0")]
159     VerbatimDisk(#[stable(feature = "rust1", since = "1.0.0")] u8),
160
161     /// Device namespace prefix, e.g., `\\.\COM42`.
162     ///
163     /// Device namespace prefixes consist of `\\.\` immediately followed by the
164     /// device name.
165     #[stable(feature = "rust1", since = "1.0.0")]
166     DeviceNS(#[stable(feature = "rust1", since = "1.0.0")] &'a OsStr),
167
168     /// Prefix using Windows' _**U**niform **N**aming **C**onvention_, e.g.
169     /// `\\server\share`.
170     ///
171     /// UNC prefixes consist of the server's hostname and a share name.
172     #[stable(feature = "rust1", since = "1.0.0")]
173     UNC(
174         #[stable(feature = "rust1", since = "1.0.0")] &'a OsStr,
175         #[stable(feature = "rust1", since = "1.0.0")] &'a OsStr,
176     ),
177
178     /// Prefix `C:` for the given disk drive.
179     #[stable(feature = "rust1", since = "1.0.0")]
180     Disk(#[stable(feature = "rust1", since = "1.0.0")] u8),
181 }
182
183 impl<'a> Prefix<'a> {
184     #[inline]
185     fn len(&self) -> usize {
186         use self::Prefix::*;
187         fn os_str_len(s: &OsStr) -> usize {
188             os_str_as_u8_slice(s).len()
189         }
190         match *self {
191             Verbatim(x) => 4 + os_str_len(x),
192             VerbatimUNC(x, y) => {
193                 8 + os_str_len(x) + if os_str_len(y) > 0 { 1 + os_str_len(y) } else { 0 }
194             }
195             VerbatimDisk(_) => 6,
196             UNC(x, y) => 2 + os_str_len(x) + if os_str_len(y) > 0 { 1 + os_str_len(y) } else { 0 },
197             DeviceNS(x) => 4 + os_str_len(x),
198             Disk(_) => 2,
199         }
200     }
201
202     /// Determines if the prefix is verbatim, i.e., begins with `\\?\`.
203     ///
204     /// # Examples
205     ///
206     /// ```
207     /// use std::path::Prefix::*;
208     /// use std::ffi::OsStr;
209     ///
210     /// assert!(Verbatim(OsStr::new("pictures")).is_verbatim());
211     /// assert!(VerbatimUNC(OsStr::new("server"), OsStr::new("share")).is_verbatim());
212     /// assert!(VerbatimDisk(b'C').is_verbatim());
213     /// assert!(!DeviceNS(OsStr::new("BrainInterface")).is_verbatim());
214     /// assert!(!UNC(OsStr::new("server"), OsStr::new("share")).is_verbatim());
215     /// assert!(!Disk(b'C').is_verbatim());
216     /// ```
217     #[inline]
218     #[stable(feature = "rust1", since = "1.0.0")]
219     pub fn is_verbatim(&self) -> bool {
220         use self::Prefix::*;
221         matches!(*self, Verbatim(_) | VerbatimDisk(_) | VerbatimUNC(..))
222     }
223
224     #[inline]
225     fn is_drive(&self) -> bool {
226         matches!(*self, Prefix::Disk(_))
227     }
228
229     #[inline]
230     fn has_implicit_root(&self) -> bool {
231         !self.is_drive()
232     }
233 }
234
235 ////////////////////////////////////////////////////////////////////////////////
236 // Exposed parsing helpers
237 ////////////////////////////////////////////////////////////////////////////////
238
239 /// Determines whether the character is one of the permitted path
240 /// separators for the current platform.
241 ///
242 /// # Examples
243 ///
244 /// ```
245 /// use std::path;
246 ///
247 /// assert!(path::is_separator('/')); // '/' works for both Unix and Windows
248 /// assert!(!path::is_separator('❤'));
249 /// ```
250 #[stable(feature = "rust1", since = "1.0.0")]
251 pub fn is_separator(c: char) -> bool {
252     c.is_ascii() && is_sep_byte(c as u8)
253 }
254
255 /// The primary separator of path components for the current platform.
256 ///
257 /// For example, `/` on Unix and `\` on Windows.
258 #[stable(feature = "rust1", since = "1.0.0")]
259 pub const MAIN_SEPARATOR: char = crate::sys::path::MAIN_SEP;
260
261 ////////////////////////////////////////////////////////////////////////////////
262 // Misc helpers
263 ////////////////////////////////////////////////////////////////////////////////
264
265 // Iterate through `iter` while it matches `prefix`; return `None` if `prefix`
266 // is not a prefix of `iter`, otherwise return `Some(iter_after_prefix)` giving
267 // `iter` after having exhausted `prefix`.
268 fn iter_after<'a, 'b, I, J>(mut iter: I, mut prefix: J) -> Option<I>
269 where
270     I: Iterator<Item = Component<'a>> + Clone,
271     J: Iterator<Item = Component<'b>>,
272 {
273     loop {
274         let mut iter_next = iter.clone();
275         match (iter_next.next(), prefix.next()) {
276             (Some(ref x), Some(ref y)) if x == y => (),
277             (Some(_), Some(_)) => return None,
278             (Some(_), None) => return Some(iter),
279             (None, None) => return Some(iter),
280             (None, Some(_)) => return None,
281         }
282         iter = iter_next;
283     }
284 }
285
286 // See note at the top of this module to understand why these are used:
287 //
288 // These casts are safe as OsStr is internally a wrapper around [u8] on all
289 // platforms.
290 //
291 // Note that currently this relies on the special knowledge that libstd has;
292 // these types are single-element structs but are not marked repr(transparent)
293 // or repr(C) which would make these casts allowable outside std.
294 fn os_str_as_u8_slice(s: &OsStr) -> &[u8] {
295     unsafe { &*(s as *const OsStr as *const [u8]) }
296 }
297 unsafe fn u8_slice_as_os_str(s: &[u8]) -> &OsStr {
298     // SAFETY: see the comment of `os_str_as_u8_slice`
299     unsafe { &*(s as *const [u8] as *const OsStr) }
300 }
301
302 // Detect scheme on Redox
303 fn has_redox_scheme(s: &[u8]) -> bool {
304     cfg!(target_os = "redox") && s.contains(&b':')
305 }
306
307 ////////////////////////////////////////////////////////////////////////////////
308 // Cross-platform, iterator-independent parsing
309 ////////////////////////////////////////////////////////////////////////////////
310
311 /// Says whether the first byte after the prefix is a separator.
312 fn has_physical_root(s: &[u8], prefix: Option<Prefix<'_>>) -> bool {
313     let path = if let Some(p) = prefix { &s[p.len()..] } else { s };
314     !path.is_empty() && is_sep_byte(path[0])
315 }
316
317 // basic workhorse for splitting stem and extension
318 fn split_file_at_dot(file: &OsStr) -> (Option<&OsStr>, Option<&OsStr>) {
319     if os_str_as_u8_slice(file) == b".." {
320         return (Some(file), None);
321     }
322
323     // The unsafety here stems from converting between &OsStr and &[u8]
324     // and back. This is safe to do because (1) we only look at ASCII
325     // contents of the encoding and (2) new &OsStr values are produced
326     // only from ASCII-bounded slices of existing &OsStr values.
327     let mut iter = os_str_as_u8_slice(file).rsplitn(2, |b| *b == b'.');
328     let after = iter.next();
329     let before = iter.next();
330     if before == Some(b"") {
331         (Some(file), None)
332     } else {
333         unsafe { (before.map(|s| u8_slice_as_os_str(s)), after.map(|s| u8_slice_as_os_str(s))) }
334     }
335 }
336
337 ////////////////////////////////////////////////////////////////////////////////
338 // The core iterators
339 ////////////////////////////////////////////////////////////////////////////////
340
341 /// Component parsing works by a double-ended state machine; the cursors at the
342 /// front and back of the path each keep track of what parts of the path have
343 /// been consumed so far.
344 ///
345 /// Going front to back, a path is made up of a prefix, a starting
346 /// directory component, and a body (of normal components)
347 #[derive(Copy, Clone, PartialEq, PartialOrd, Debug)]
348 enum State {
349     Prefix = 0,   // c:
350     StartDir = 1, // / or . or nothing
351     Body = 2,     // foo/bar/baz
352     Done = 3,
353 }
354
355 /// A structure wrapping a Windows path prefix as well as its unparsed string
356 /// representation.
357 ///
358 /// In addition to the parsed [`Prefix`] information returned by [`kind`],
359 /// `PrefixComponent` also holds the raw and unparsed [`OsStr`] slice,
360 /// returned by [`as_os_str`].
361 ///
362 /// Instances of this `struct` can be obtained by matching against the
363 /// [`Prefix` variant] on [`Component`].
364 ///
365 /// Does not occur on Unix.
366 ///
367 /// # Examples
368 ///
369 /// ```
370 /// # if cfg!(windows) {
371 /// use std::path::{Component, Path, Prefix};
372 /// use std::ffi::OsStr;
373 ///
374 /// let path = Path::new(r"c:\you\later\");
375 /// match path.components().next().unwrap() {
376 ///     Component::Prefix(prefix_component) => {
377 ///         assert_eq!(Prefix::Disk(b'C'), prefix_component.kind());
378 ///         assert_eq!(OsStr::new("c:"), prefix_component.as_os_str());
379 ///     }
380 ///     _ => unreachable!(),
381 /// }
382 /// # }
383 /// ```
384 ///
385 /// [`as_os_str`]: PrefixComponent::as_os_str
386 /// [`kind`]: PrefixComponent::kind
387 /// [`Prefix` variant]: Component::Prefix
388 #[stable(feature = "rust1", since = "1.0.0")]
389 #[derive(Copy, Clone, Eq, Debug)]
390 pub struct PrefixComponent<'a> {
391     /// The prefix as an unparsed `OsStr` slice.
392     raw: &'a OsStr,
393
394     /// The parsed prefix data.
395     parsed: Prefix<'a>,
396 }
397
398 impl<'a> PrefixComponent<'a> {
399     /// Returns the parsed prefix data.
400     ///
401     /// See [`Prefix`]'s documentation for more information on the different
402     /// kinds of prefixes.
403     #[stable(feature = "rust1", since = "1.0.0")]
404     #[inline]
405     pub fn kind(&self) -> Prefix<'a> {
406         self.parsed
407     }
408
409     /// Returns the raw [`OsStr`] slice for this prefix.
410     #[stable(feature = "rust1", since = "1.0.0")]
411     #[inline]
412     pub fn as_os_str(&self) -> &'a OsStr {
413         self.raw
414     }
415 }
416
417 #[stable(feature = "rust1", since = "1.0.0")]
418 impl<'a> cmp::PartialEq for PrefixComponent<'a> {
419     #[inline]
420     fn eq(&self, other: &PrefixComponent<'a>) -> bool {
421         cmp::PartialEq::eq(&self.parsed, &other.parsed)
422     }
423 }
424
425 #[stable(feature = "rust1", since = "1.0.0")]
426 impl<'a> cmp::PartialOrd for PrefixComponent<'a> {
427     #[inline]
428     fn partial_cmp(&self, other: &PrefixComponent<'a>) -> Option<cmp::Ordering> {
429         cmp::PartialOrd::partial_cmp(&self.parsed, &other.parsed)
430     }
431 }
432
433 #[stable(feature = "rust1", since = "1.0.0")]
434 impl cmp::Ord for PrefixComponent<'_> {
435     #[inline]
436     fn cmp(&self, other: &Self) -> cmp::Ordering {
437         cmp::Ord::cmp(&self.parsed, &other.parsed)
438     }
439 }
440
441 #[stable(feature = "rust1", since = "1.0.0")]
442 impl Hash for PrefixComponent<'_> {
443     fn hash<H: Hasher>(&self, h: &mut H) {
444         self.parsed.hash(h);
445     }
446 }
447
448 /// A single component of a path.
449 ///
450 /// A `Component` roughly corresponds to a substring between path separators
451 /// (`/` or `\`).
452 ///
453 /// This `enum` is created by iterating over [`Components`], which in turn is
454 /// created by the [`components`](Path::components) method on [`Path`].
455 ///
456 /// # Examples
457 ///
458 /// ```rust
459 /// use std::path::{Component, Path};
460 ///
461 /// let path = Path::new("/tmp/foo/bar.txt");
462 /// let components = path.components().collect::<Vec<_>>();
463 /// assert_eq!(&components, &[
464 ///     Component::RootDir,
465 ///     Component::Normal("tmp".as_ref()),
466 ///     Component::Normal("foo".as_ref()),
467 ///     Component::Normal("bar.txt".as_ref()),
468 /// ]);
469 /// ```
470 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash, Debug)]
471 #[stable(feature = "rust1", since = "1.0.0")]
472 pub enum Component<'a> {
473     /// A Windows path prefix, e.g., `C:` or `\\server\share`.
474     ///
475     /// There is a large variety of prefix types, see [`Prefix`]'s documentation
476     /// for more.
477     ///
478     /// Does not occur on Unix.
479     #[stable(feature = "rust1", since = "1.0.0")]
480     Prefix(#[stable(feature = "rust1", since = "1.0.0")] PrefixComponent<'a>),
481
482     /// The root directory component, appears after any prefix and before anything else.
483     ///
484     /// It represents a separator that designates that a path starts from root.
485     #[stable(feature = "rust1", since = "1.0.0")]
486     RootDir,
487
488     /// A reference to the current directory, i.e., `.`.
489     #[stable(feature = "rust1", since = "1.0.0")]
490     CurDir,
491
492     /// A reference to the parent directory, i.e., `..`.
493     #[stable(feature = "rust1", since = "1.0.0")]
494     ParentDir,
495
496     /// A normal component, e.g., `a` and `b` in `a/b`.
497     ///
498     /// This variant is the most common one, it represents references to files
499     /// or directories.
500     #[stable(feature = "rust1", since = "1.0.0")]
501     Normal(#[stable(feature = "rust1", since = "1.0.0")] &'a OsStr),
502 }
503
504 impl<'a> Component<'a> {
505     /// Extracts the underlying [`OsStr`] slice.
506     ///
507     /// # Examples
508     ///
509     /// ```
510     /// use std::path::Path;
511     ///
512     /// let path = Path::new("./tmp/foo/bar.txt");
513     /// let components: Vec<_> = path.components().map(|comp| comp.as_os_str()).collect();
514     /// assert_eq!(&components, &[".", "tmp", "foo", "bar.txt"]);
515     /// ```
516     #[stable(feature = "rust1", since = "1.0.0")]
517     pub fn as_os_str(self) -> &'a OsStr {
518         match self {
519             Component::Prefix(p) => p.as_os_str(),
520             Component::RootDir => OsStr::new(MAIN_SEP_STR),
521             Component::CurDir => OsStr::new("."),
522             Component::ParentDir => OsStr::new(".."),
523             Component::Normal(path) => path,
524         }
525     }
526 }
527
528 #[stable(feature = "rust1", since = "1.0.0")]
529 impl AsRef<OsStr> for Component<'_> {
530     #[inline]
531     fn as_ref(&self) -> &OsStr {
532         self.as_os_str()
533     }
534 }
535
536 #[stable(feature = "path_component_asref", since = "1.25.0")]
537 impl AsRef<Path> for Component<'_> {
538     #[inline]
539     fn as_ref(&self) -> &Path {
540         self.as_os_str().as_ref()
541     }
542 }
543
544 /// An iterator over the [`Component`]s of a [`Path`].
545 ///
546 /// This `struct` is created by the [`components`] method on [`Path`].
547 /// See its documentation for more.
548 ///
549 /// # Examples
550 ///
551 /// ```
552 /// use std::path::Path;
553 ///
554 /// let path = Path::new("/tmp/foo/bar.txt");
555 ///
556 /// for component in path.components() {
557 ///     println!("{:?}", component);
558 /// }
559 /// ```
560 ///
561 /// [`components`]: Path::components
562 #[derive(Clone)]
563 #[stable(feature = "rust1", since = "1.0.0")]
564 pub struct Components<'a> {
565     // The path left to parse components from
566     path: &'a [u8],
567
568     // The prefix as it was originally parsed, if any
569     prefix: Option<Prefix<'a>>,
570
571     // true if path *physically* has a root separator; for most Windows
572     // prefixes, it may have a "logical" rootseparator for the purposes of
573     // normalization, e.g.,  \\server\share == \\server\share\.
574     has_physical_root: bool,
575
576     // The iterator is double-ended, and these two states keep track of what has
577     // been produced from either end
578     front: State,
579     back: State,
580 }
581
582 /// An iterator over the [`Component`]s of a [`Path`], as [`OsStr`] slices.
583 ///
584 /// This `struct` is created by the [`iter`] method on [`Path`].
585 /// See its documentation for more.
586 ///
587 /// [`iter`]: Path::iter
588 #[derive(Clone)]
589 #[stable(feature = "rust1", since = "1.0.0")]
590 pub struct Iter<'a> {
591     inner: Components<'a>,
592 }
593
594 #[stable(feature = "path_components_debug", since = "1.13.0")]
595 impl fmt::Debug for Components<'_> {
596     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
597         struct DebugHelper<'a>(&'a Path);
598
599         impl fmt::Debug for DebugHelper<'_> {
600             fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
601                 f.debug_list().entries(self.0.components()).finish()
602             }
603         }
604
605         f.debug_tuple("Components").field(&DebugHelper(self.as_path())).finish()
606     }
607 }
608
609 impl<'a> Components<'a> {
610     // how long is the prefix, if any?
611     #[inline]
612     fn prefix_len(&self) -> usize {
613         self.prefix.as_ref().map(Prefix::len).unwrap_or(0)
614     }
615
616     #[inline]
617     fn prefix_verbatim(&self) -> bool {
618         self.prefix.as_ref().map(Prefix::is_verbatim).unwrap_or(false)
619     }
620
621     /// how much of the prefix is left from the point of view of iteration?
622     #[inline]
623     fn prefix_remaining(&self) -> usize {
624         if self.front == State::Prefix { self.prefix_len() } else { 0 }
625     }
626
627     // Given the iteration so far, how much of the pre-State::Body path is left?
628     #[inline]
629     fn len_before_body(&self) -> usize {
630         let root = if self.front <= State::StartDir && self.has_physical_root { 1 } else { 0 };
631         let cur_dir = if self.front <= State::StartDir && self.include_cur_dir() { 1 } else { 0 };
632         self.prefix_remaining() + root + cur_dir
633     }
634
635     // is the iteration complete?
636     #[inline]
637     fn finished(&self) -> bool {
638         self.front == State::Done || self.back == State::Done || self.front > self.back
639     }
640
641     #[inline]
642     fn is_sep_byte(&self, b: u8) -> bool {
643         if self.prefix_verbatim() { is_verbatim_sep(b) } else { is_sep_byte(b) }
644     }
645
646     /// Extracts a slice corresponding to the portion of the path remaining for iteration.
647     ///
648     /// # Examples
649     ///
650     /// ```
651     /// use std::path::Path;
652     ///
653     /// let mut components = Path::new("/tmp/foo/bar.txt").components();
654     /// components.next();
655     /// components.next();
656     ///
657     /// assert_eq!(Path::new("foo/bar.txt"), components.as_path());
658     /// ```
659     #[stable(feature = "rust1", since = "1.0.0")]
660     pub fn as_path(&self) -> &'a Path {
661         let mut comps = self.clone();
662         if comps.front == State::Body {
663             comps.trim_left();
664         }
665         if comps.back == State::Body {
666             comps.trim_right();
667         }
668         unsafe { Path::from_u8_slice(comps.path) }
669     }
670
671     /// Is the *original* path rooted?
672     fn has_root(&self) -> bool {
673         if self.has_physical_root {
674             return true;
675         }
676         if let Some(p) = self.prefix {
677             if p.has_implicit_root() {
678                 return true;
679             }
680         }
681         false
682     }
683
684     /// Should the normalized path include a leading . ?
685     fn include_cur_dir(&self) -> bool {
686         if self.has_root() {
687             return false;
688         }
689         let mut iter = self.path[self.prefix_len()..].iter();
690         match (iter.next(), iter.next()) {
691             (Some(&b'.'), None) => true,
692             (Some(&b'.'), Some(&b)) => self.is_sep_byte(b),
693             _ => false,
694         }
695     }
696
697     // parse a given byte sequence into the corresponding path component
698     fn parse_single_component<'b>(&self, comp: &'b [u8]) -> Option<Component<'b>> {
699         match comp {
700             b"." if self.prefix_verbatim() => Some(Component::CurDir),
701             b"." => None, // . components are normalized away, except at
702             // the beginning of a path, which is treated
703             // separately via `include_cur_dir`
704             b".." => Some(Component::ParentDir),
705             b"" => None,
706             _ => Some(Component::Normal(unsafe { u8_slice_as_os_str(comp) })),
707         }
708     }
709
710     // parse a component from the left, saying how many bytes to consume to
711     // remove the component
712     fn parse_next_component(&self) -> (usize, Option<Component<'a>>) {
713         debug_assert!(self.front == State::Body);
714         let (extra, comp) = match self.path.iter().position(|b| self.is_sep_byte(*b)) {
715             None => (0, self.path),
716             Some(i) => (1, &self.path[..i]),
717         };
718         (comp.len() + extra, self.parse_single_component(comp))
719     }
720
721     // parse a component from the right, saying how many bytes to consume to
722     // remove the component
723     fn parse_next_component_back(&self) -> (usize, Option<Component<'a>>) {
724         debug_assert!(self.back == State::Body);
725         let start = self.len_before_body();
726         let (extra, comp) = match self.path[start..].iter().rposition(|b| self.is_sep_byte(*b)) {
727             None => (0, &self.path[start..]),
728             Some(i) => (1, &self.path[start + i + 1..]),
729         };
730         (comp.len() + extra, self.parse_single_component(comp))
731     }
732
733     // trim away repeated separators (i.e., empty components) on the left
734     fn trim_left(&mut self) {
735         while !self.path.is_empty() {
736             let (size, comp) = self.parse_next_component();
737             if comp.is_some() {
738                 return;
739             } else {
740                 self.path = &self.path[size..];
741             }
742         }
743     }
744
745     // trim away repeated separators (i.e., empty components) on the right
746     fn trim_right(&mut self) {
747         while self.path.len() > self.len_before_body() {
748             let (size, comp) = self.parse_next_component_back();
749             if comp.is_some() {
750                 return;
751             } else {
752                 self.path = &self.path[..self.path.len() - size];
753             }
754         }
755     }
756 }
757
758 #[stable(feature = "rust1", since = "1.0.0")]
759 impl AsRef<Path> for Components<'_> {
760     #[inline]
761     fn as_ref(&self) -> &Path {
762         self.as_path()
763     }
764 }
765
766 #[stable(feature = "rust1", since = "1.0.0")]
767 impl AsRef<OsStr> for Components<'_> {
768     #[inline]
769     fn as_ref(&self) -> &OsStr {
770         self.as_path().as_os_str()
771     }
772 }
773
774 #[stable(feature = "path_iter_debug", since = "1.13.0")]
775 impl fmt::Debug for Iter<'_> {
776     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
777         struct DebugHelper<'a>(&'a Path);
778
779         impl fmt::Debug for DebugHelper<'_> {
780             fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
781                 f.debug_list().entries(self.0.iter()).finish()
782             }
783         }
784
785         f.debug_tuple("Iter").field(&DebugHelper(self.as_path())).finish()
786     }
787 }
788
789 impl<'a> Iter<'a> {
790     /// Extracts a slice corresponding to the portion of the path remaining for iteration.
791     ///
792     /// # Examples
793     ///
794     /// ```
795     /// use std::path::Path;
796     ///
797     /// let mut iter = Path::new("/tmp/foo/bar.txt").iter();
798     /// iter.next();
799     /// iter.next();
800     ///
801     /// assert_eq!(Path::new("foo/bar.txt"), iter.as_path());
802     /// ```
803     #[stable(feature = "rust1", since = "1.0.0")]
804     #[inline]
805     pub fn as_path(&self) -> &'a Path {
806         self.inner.as_path()
807     }
808 }
809
810 #[stable(feature = "rust1", since = "1.0.0")]
811 impl AsRef<Path> for Iter<'_> {
812     #[inline]
813     fn as_ref(&self) -> &Path {
814         self.as_path()
815     }
816 }
817
818 #[stable(feature = "rust1", since = "1.0.0")]
819 impl AsRef<OsStr> for Iter<'_> {
820     #[inline]
821     fn as_ref(&self) -> &OsStr {
822         self.as_path().as_os_str()
823     }
824 }
825
826 #[stable(feature = "rust1", since = "1.0.0")]
827 impl<'a> Iterator for Iter<'a> {
828     type Item = &'a OsStr;
829
830     #[inline]
831     fn next(&mut self) -> Option<&'a OsStr> {
832         self.inner.next().map(Component::as_os_str)
833     }
834 }
835
836 #[stable(feature = "rust1", since = "1.0.0")]
837 impl<'a> DoubleEndedIterator for Iter<'a> {
838     #[inline]
839     fn next_back(&mut self) -> Option<&'a OsStr> {
840         self.inner.next_back().map(Component::as_os_str)
841     }
842 }
843
844 #[stable(feature = "fused", since = "1.26.0")]
845 impl FusedIterator for Iter<'_> {}
846
847 #[stable(feature = "rust1", since = "1.0.0")]
848 impl<'a> Iterator for Components<'a> {
849     type Item = Component<'a>;
850
851     fn next(&mut self) -> Option<Component<'a>> {
852         while !self.finished() {
853             match self.front {
854                 State::Prefix if self.prefix_len() > 0 => {
855                     self.front = State::StartDir;
856                     debug_assert!(self.prefix_len() <= self.path.len());
857                     let raw = &self.path[..self.prefix_len()];
858                     self.path = &self.path[self.prefix_len()..];
859                     return Some(Component::Prefix(PrefixComponent {
860                         raw: unsafe { u8_slice_as_os_str(raw) },
861                         parsed: self.prefix.unwrap(),
862                     }));
863                 }
864                 State::Prefix => {
865                     self.front = State::StartDir;
866                 }
867                 State::StartDir => {
868                     self.front = State::Body;
869                     if self.has_physical_root {
870                         debug_assert!(!self.path.is_empty());
871                         self.path = &self.path[1..];
872                         return Some(Component::RootDir);
873                     } else if let Some(p) = self.prefix {
874                         if p.has_implicit_root() && !p.is_verbatim() {
875                             return Some(Component::RootDir);
876                         }
877                     } else if self.include_cur_dir() {
878                         debug_assert!(!self.path.is_empty());
879                         self.path = &self.path[1..];
880                         return Some(Component::CurDir);
881                     }
882                 }
883                 State::Body if !self.path.is_empty() => {
884                     let (size, comp) = self.parse_next_component();
885                     self.path = &self.path[size..];
886                     if comp.is_some() {
887                         return comp;
888                     }
889                 }
890                 State::Body => {
891                     self.front = State::Done;
892                 }
893                 State::Done => unreachable!(),
894             }
895         }
896         None
897     }
898 }
899
900 #[stable(feature = "rust1", since = "1.0.0")]
901 impl<'a> DoubleEndedIterator for Components<'a> {
902     fn next_back(&mut self) -> Option<Component<'a>> {
903         while !self.finished() {
904             match self.back {
905                 State::Body if self.path.len() > self.len_before_body() => {
906                     let (size, comp) = self.parse_next_component_back();
907                     self.path = &self.path[..self.path.len() - size];
908                     if comp.is_some() {
909                         return comp;
910                     }
911                 }
912                 State::Body => {
913                     self.back = State::StartDir;
914                 }
915                 State::StartDir => {
916                     self.back = State::Prefix;
917                     if self.has_physical_root {
918                         self.path = &self.path[..self.path.len() - 1];
919                         return Some(Component::RootDir);
920                     } else if let Some(p) = self.prefix {
921                         if p.has_implicit_root() && !p.is_verbatim() {
922                             return Some(Component::RootDir);
923                         }
924                     } else if self.include_cur_dir() {
925                         self.path = &self.path[..self.path.len() - 1];
926                         return Some(Component::CurDir);
927                     }
928                 }
929                 State::Prefix if self.prefix_len() > 0 => {
930                     self.back = State::Done;
931                     return Some(Component::Prefix(PrefixComponent {
932                         raw: unsafe { u8_slice_as_os_str(self.path) },
933                         parsed: self.prefix.unwrap(),
934                     }));
935                 }
936                 State::Prefix => {
937                     self.back = State::Done;
938                     return None;
939                 }
940                 State::Done => unreachable!(),
941             }
942         }
943         None
944     }
945 }
946
947 #[stable(feature = "fused", since = "1.26.0")]
948 impl FusedIterator for Components<'_> {}
949
950 #[stable(feature = "rust1", since = "1.0.0")]
951 impl<'a> cmp::PartialEq for Components<'a> {
952     #[inline]
953     fn eq(&self, other: &Components<'a>) -> bool {
954         Iterator::eq(self.clone(), other.clone())
955     }
956 }
957
958 #[stable(feature = "rust1", since = "1.0.0")]
959 impl cmp::Eq for Components<'_> {}
960
961 #[stable(feature = "rust1", since = "1.0.0")]
962 impl<'a> cmp::PartialOrd for Components<'a> {
963     #[inline]
964     fn partial_cmp(&self, other: &Components<'a>) -> Option<cmp::Ordering> {
965         Iterator::partial_cmp(self.clone(), other.clone())
966     }
967 }
968
969 #[stable(feature = "rust1", since = "1.0.0")]
970 impl cmp::Ord for Components<'_> {
971     #[inline]
972     fn cmp(&self, other: &Self) -> cmp::Ordering {
973         Iterator::cmp(self.clone(), other.clone())
974     }
975 }
976
977 /// An iterator over [`Path`] and its ancestors.
978 ///
979 /// This `struct` is created by the [`ancestors`] method on [`Path`].
980 /// See its documentation for more.
981 ///
982 /// # Examples
983 ///
984 /// ```
985 /// use std::path::Path;
986 ///
987 /// let path = Path::new("/foo/bar");
988 ///
989 /// for ancestor in path.ancestors() {
990 ///     println!("{}", ancestor.display());
991 /// }
992 /// ```
993 ///
994 /// [`ancestors`]: Path::ancestors
995 #[derive(Copy, Clone, Debug)]
996 #[stable(feature = "path_ancestors", since = "1.28.0")]
997 pub struct Ancestors<'a> {
998     next: Option<&'a Path>,
999 }
1000
1001 #[stable(feature = "path_ancestors", since = "1.28.0")]
1002 impl<'a> Iterator for Ancestors<'a> {
1003     type Item = &'a Path;
1004
1005     #[inline]
1006     fn next(&mut self) -> Option<Self::Item> {
1007         let next = self.next;
1008         self.next = next.and_then(Path::parent);
1009         next
1010     }
1011 }
1012
1013 #[stable(feature = "path_ancestors", since = "1.28.0")]
1014 impl FusedIterator for Ancestors<'_> {}
1015
1016 ////////////////////////////////////////////////////////////////////////////////
1017 // Basic types and traits
1018 ////////////////////////////////////////////////////////////////////////////////
1019
1020 /// An owned, mutable path (akin to [`String`]).
1021 ///
1022 /// This type provides methods like [`push`] and [`set_extension`] that mutate
1023 /// the path in place. It also implements [`Deref`] to [`Path`], meaning that
1024 /// all methods on [`Path`] slices are available on `PathBuf` values as well.
1025 ///
1026 /// [`push`]: PathBuf::push
1027 /// [`set_extension`]: PathBuf::set_extension
1028 ///
1029 /// More details about the overall approach can be found in
1030 /// the [module documentation](self).
1031 ///
1032 /// # Examples
1033 ///
1034 /// You can use [`push`] to build up a `PathBuf` from
1035 /// components:
1036 ///
1037 /// ```
1038 /// use std::path::PathBuf;
1039 ///
1040 /// let mut path = PathBuf::new();
1041 ///
1042 /// path.push(r"C:\");
1043 /// path.push("windows");
1044 /// path.push("system32");
1045 ///
1046 /// path.set_extension("dll");
1047 /// ```
1048 ///
1049 /// However, [`push`] is best used for dynamic situations. This is a better way
1050 /// to do this when you know all of the components ahead of time:
1051 ///
1052 /// ```
1053 /// use std::path::PathBuf;
1054 ///
1055 /// let path: PathBuf = [r"C:\", "windows", "system32.dll"].iter().collect();
1056 /// ```
1057 ///
1058 /// We can still do better than this! Since these are all strings, we can use
1059 /// `From::from`:
1060 ///
1061 /// ```
1062 /// use std::path::PathBuf;
1063 ///
1064 /// let path = PathBuf::from(r"C:\windows\system32.dll");
1065 /// ```
1066 ///
1067 /// Which method works best depends on what kind of situation you're in.
1068 #[derive(Clone)]
1069 #[cfg_attr(not(test), rustc_diagnostic_item = "PathBuf")]
1070 #[stable(feature = "rust1", since = "1.0.0")]
1071 // FIXME:
1072 // `PathBuf::as_mut_vec` current implementation relies
1073 // on `PathBuf` being layout-compatible with `Vec<u8>`.
1074 // When attribute privacy is implemented, `PathBuf` should be annotated as `#[repr(transparent)]`.
1075 // Anyway, `PathBuf` representation and layout are considered implementation detail, are
1076 // not documented and must not be relied upon.
1077 pub struct PathBuf {
1078     inner: OsString,
1079 }
1080
1081 impl PathBuf {
1082     #[inline]
1083     fn as_mut_vec(&mut self) -> &mut Vec<u8> {
1084         unsafe { &mut *(self as *mut PathBuf as *mut Vec<u8>) }
1085     }
1086
1087     /// Allocates an empty `PathBuf`.
1088     ///
1089     /// # Examples
1090     ///
1091     /// ```
1092     /// use std::path::PathBuf;
1093     ///
1094     /// let path = PathBuf::new();
1095     /// ```
1096     #[stable(feature = "rust1", since = "1.0.0")]
1097     #[inline]
1098     pub fn new() -> PathBuf {
1099         PathBuf { inner: OsString::new() }
1100     }
1101
1102     /// Creates a new `PathBuf` with a given capacity used to create the
1103     /// internal [`OsString`]. See [`with_capacity`] defined on [`OsString`].
1104     ///
1105     /// # Examples
1106     ///
1107     /// ```
1108     /// use std::path::PathBuf;
1109     ///
1110     /// let mut path = PathBuf::with_capacity(10);
1111     /// let capacity = path.capacity();
1112     ///
1113     /// // This push is done without reallocating
1114     /// path.push(r"C:\");
1115     ///
1116     /// assert_eq!(capacity, path.capacity());
1117     /// ```
1118     ///
1119     /// [`with_capacity`]: OsString::with_capacity
1120     #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1121     #[inline]
1122     pub fn with_capacity(capacity: usize) -> PathBuf {
1123         PathBuf { inner: OsString::with_capacity(capacity) }
1124     }
1125
1126     /// Coerces to a [`Path`] slice.
1127     ///
1128     /// # Examples
1129     ///
1130     /// ```
1131     /// use std::path::{Path, PathBuf};
1132     ///
1133     /// let p = PathBuf::from("/test");
1134     /// assert_eq!(Path::new("/test"), p.as_path());
1135     /// ```
1136     #[stable(feature = "rust1", since = "1.0.0")]
1137     #[inline]
1138     pub fn as_path(&self) -> &Path {
1139         self
1140     }
1141
1142     /// Extends `self` with `path`.
1143     ///
1144     /// If `path` is absolute, it replaces the current path.
1145     ///
1146     /// On Windows:
1147     ///
1148     /// * if `path` has a root but no prefix (e.g., `\windows`), it
1149     ///   replaces everything except for the prefix (if any) of `self`.
1150     /// * if `path` has a prefix but no root, it replaces `self`.
1151     ///
1152     /// # Examples
1153     ///
1154     /// Pushing a relative path extends the existing path:
1155     ///
1156     /// ```
1157     /// use std::path::PathBuf;
1158     ///
1159     /// let mut path = PathBuf::from("/tmp");
1160     /// path.push("file.bk");
1161     /// assert_eq!(path, PathBuf::from("/tmp/file.bk"));
1162     /// ```
1163     ///
1164     /// Pushing an absolute path replaces the existing path:
1165     ///
1166     /// ```
1167     /// use std::path::PathBuf;
1168     ///
1169     /// let mut path = PathBuf::from("/tmp");
1170     /// path.push("/etc");
1171     /// assert_eq!(path, PathBuf::from("/etc"));
1172     /// ```
1173     #[stable(feature = "rust1", since = "1.0.0")]
1174     pub fn push<P: AsRef<Path>>(&mut self, path: P) {
1175         self._push(path.as_ref())
1176     }
1177
1178     fn _push(&mut self, path: &Path) {
1179         // in general, a separator is needed if the rightmost byte is not a separator
1180         let mut need_sep = self.as_mut_vec().last().map(|c| !is_sep_byte(*c)).unwrap_or(false);
1181
1182         // in the special case of `C:` on Windows, do *not* add a separator
1183         {
1184             let comps = self.components();
1185             if comps.prefix_len() > 0
1186                 && comps.prefix_len() == comps.path.len()
1187                 && comps.prefix.unwrap().is_drive()
1188             {
1189                 need_sep = false
1190             }
1191         }
1192
1193         // absolute `path` replaces `self`
1194         if path.is_absolute() || path.prefix().is_some() {
1195             self.as_mut_vec().truncate(0);
1196
1197         // `path` has a root but no prefix, e.g., `\windows` (Windows only)
1198         } else if path.has_root() {
1199             let prefix_len = self.components().prefix_remaining();
1200             self.as_mut_vec().truncate(prefix_len);
1201
1202         // `path` is a pure relative path
1203         } else if need_sep {
1204             self.inner.push(MAIN_SEP_STR);
1205         }
1206
1207         self.inner.push(path);
1208     }
1209
1210     /// Truncates `self` to [`self.parent`].
1211     ///
1212     /// Returns `false` and does nothing if [`self.parent`] is [`None`].
1213     /// Otherwise, returns `true`.
1214     ///
1215     /// [`self.parent`]: Path::parent
1216     ///
1217     /// # Examples
1218     ///
1219     /// ```
1220     /// use std::path::{Path, PathBuf};
1221     ///
1222     /// let mut p = PathBuf::from("/spirited/away.rs");
1223     ///
1224     /// p.pop();
1225     /// assert_eq!(Path::new("/spirited"), p);
1226     /// p.pop();
1227     /// assert_eq!(Path::new("/"), p);
1228     /// ```
1229     #[stable(feature = "rust1", since = "1.0.0")]
1230     pub fn pop(&mut self) -> bool {
1231         match self.parent().map(|p| p.as_u8_slice().len()) {
1232             Some(len) => {
1233                 self.as_mut_vec().truncate(len);
1234                 true
1235             }
1236             None => false,
1237         }
1238     }
1239
1240     /// Updates [`self.file_name`] to `file_name`.
1241     ///
1242     /// If [`self.file_name`] was [`None`], this is equivalent to pushing
1243     /// `file_name`.
1244     ///
1245     /// Otherwise it is equivalent to calling [`pop`] and then pushing
1246     /// `file_name`. The new path will be a sibling of the original path.
1247     /// (That is, it will have the same parent.)
1248     ///
1249     /// [`self.file_name`]: Path::file_name
1250     /// [`pop`]: PathBuf::pop
1251     ///
1252     /// # Examples
1253     ///
1254     /// ```
1255     /// use std::path::PathBuf;
1256     ///
1257     /// let mut buf = PathBuf::from("/");
1258     /// assert!(buf.file_name() == None);
1259     /// buf.set_file_name("bar");
1260     /// assert!(buf == PathBuf::from("/bar"));
1261     /// assert!(buf.file_name().is_some());
1262     /// buf.set_file_name("baz.txt");
1263     /// assert!(buf == PathBuf::from("/baz.txt"));
1264     /// ```
1265     #[stable(feature = "rust1", since = "1.0.0")]
1266     pub fn set_file_name<S: AsRef<OsStr>>(&mut self, file_name: S) {
1267         self._set_file_name(file_name.as_ref())
1268     }
1269
1270     fn _set_file_name(&mut self, file_name: &OsStr) {
1271         if self.file_name().is_some() {
1272             let popped = self.pop();
1273             debug_assert!(popped);
1274         }
1275         self.push(file_name);
1276     }
1277
1278     /// Updates [`self.extension`] to `extension`.
1279     ///
1280     /// Returns `false` and does nothing if [`self.file_name`] is [`None`],
1281     /// returns `true` and updates the extension otherwise.
1282     ///
1283     /// If [`self.extension`] is [`None`], the extension is added; otherwise
1284     /// it is replaced.
1285     ///
1286     /// [`self.file_name`]: Path::file_name
1287     /// [`self.extension`]: Path::extension
1288     ///
1289     /// # Examples
1290     ///
1291     /// ```
1292     /// use std::path::{Path, PathBuf};
1293     ///
1294     /// let mut p = PathBuf::from("/feel/the");
1295     ///
1296     /// p.set_extension("force");
1297     /// assert_eq!(Path::new("/feel/the.force"), p.as_path());
1298     ///
1299     /// p.set_extension("dark_side");
1300     /// assert_eq!(Path::new("/feel/the.dark_side"), p.as_path());
1301     /// ```
1302     #[stable(feature = "rust1", since = "1.0.0")]
1303     pub fn set_extension<S: AsRef<OsStr>>(&mut self, extension: S) -> bool {
1304         self._set_extension(extension.as_ref())
1305     }
1306
1307     fn _set_extension(&mut self, extension: &OsStr) -> bool {
1308         let file_stem = match self.file_stem() {
1309             None => return false,
1310             Some(f) => os_str_as_u8_slice(f),
1311         };
1312
1313         // truncate until right after the file stem
1314         let end_file_stem = file_stem[file_stem.len()..].as_ptr() as usize;
1315         let start = os_str_as_u8_slice(&self.inner).as_ptr() as usize;
1316         let v = self.as_mut_vec();
1317         v.truncate(end_file_stem.wrapping_sub(start));
1318
1319         // add the new extension, if any
1320         let new = os_str_as_u8_slice(extension);
1321         if !new.is_empty() {
1322             v.reserve_exact(new.len() + 1);
1323             v.push(b'.');
1324             v.extend_from_slice(new);
1325         }
1326
1327         true
1328     }
1329
1330     /// Consumes the `PathBuf`, yielding its internal [`OsString`] storage.
1331     ///
1332     /// # Examples
1333     ///
1334     /// ```
1335     /// use std::path::PathBuf;
1336     ///
1337     /// let p = PathBuf::from("/the/head");
1338     /// let os_str = p.into_os_string();
1339     /// ```
1340     #[stable(feature = "rust1", since = "1.0.0")]
1341     #[inline]
1342     pub fn into_os_string(self) -> OsString {
1343         self.inner
1344     }
1345
1346     /// Converts this `PathBuf` into a [boxed](Box) [`Path`].
1347     #[stable(feature = "into_boxed_path", since = "1.20.0")]
1348     #[inline]
1349     pub fn into_boxed_path(self) -> Box<Path> {
1350         let rw = Box::into_raw(self.inner.into_boxed_os_str()) as *mut Path;
1351         unsafe { Box::from_raw(rw) }
1352     }
1353
1354     /// Invokes [`capacity`] on the underlying instance of [`OsString`].
1355     ///
1356     /// [`capacity`]: OsString::capacity
1357     #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1358     #[inline]
1359     pub fn capacity(&self) -> usize {
1360         self.inner.capacity()
1361     }
1362
1363     /// Invokes [`clear`] on the underlying instance of [`OsString`].
1364     ///
1365     /// [`clear`]: OsString::clear
1366     #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1367     #[inline]
1368     pub fn clear(&mut self) {
1369         self.inner.clear()
1370     }
1371
1372     /// Invokes [`reserve`] on the underlying instance of [`OsString`].
1373     ///
1374     /// [`reserve`]: OsString::reserve
1375     #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1376     #[inline]
1377     pub fn reserve(&mut self, additional: usize) {
1378         self.inner.reserve(additional)
1379     }
1380
1381     /// Invokes [`reserve_exact`] on the underlying instance of [`OsString`].
1382     ///
1383     /// [`reserve_exact`]: OsString::reserve_exact
1384     #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1385     #[inline]
1386     pub fn reserve_exact(&mut self, additional: usize) {
1387         self.inner.reserve_exact(additional)
1388     }
1389
1390     /// Invokes [`shrink_to_fit`] on the underlying instance of [`OsString`].
1391     ///
1392     /// [`shrink_to_fit`]: OsString::shrink_to_fit
1393     #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1394     #[inline]
1395     pub fn shrink_to_fit(&mut self) {
1396         self.inner.shrink_to_fit()
1397     }
1398
1399     /// Invokes [`shrink_to`] on the underlying instance of [`OsString`].
1400     ///
1401     /// [`shrink_to`]: OsString::shrink_to
1402     #[unstable(feature = "shrink_to", issue = "56431")]
1403     #[inline]
1404     pub fn shrink_to(&mut self, min_capacity: usize) {
1405         self.inner.shrink_to(min_capacity)
1406     }
1407 }
1408
1409 #[stable(feature = "box_from_path", since = "1.17.0")]
1410 impl From<&Path> for Box<Path> {
1411     fn from(path: &Path) -> Box<Path> {
1412         let boxed: Box<OsStr> = path.inner.into();
1413         let rw = Box::into_raw(boxed) as *mut Path;
1414         unsafe { Box::from_raw(rw) }
1415     }
1416 }
1417
1418 #[stable(feature = "box_from_cow", since = "1.45.0")]
1419 impl From<Cow<'_, Path>> for Box<Path> {
1420     #[inline]
1421     fn from(cow: Cow<'_, Path>) -> Box<Path> {
1422         match cow {
1423             Cow::Borrowed(path) => Box::from(path),
1424             Cow::Owned(path) => Box::from(path),
1425         }
1426     }
1427 }
1428
1429 #[stable(feature = "path_buf_from_box", since = "1.18.0")]
1430 impl From<Box<Path>> for PathBuf {
1431     /// Converts a `Box<Path>` into a `PathBuf`
1432     ///
1433     /// This conversion does not allocate or copy memory.
1434     #[inline]
1435     fn from(boxed: Box<Path>) -> PathBuf {
1436         boxed.into_path_buf()
1437     }
1438 }
1439
1440 #[stable(feature = "box_from_path_buf", since = "1.20.0")]
1441 impl From<PathBuf> for Box<Path> {
1442     /// Converts a `PathBuf` into a `Box<Path>`
1443     ///
1444     /// This conversion currently should not allocate memory,
1445     /// but this behavior is not guaranteed on all platforms or in all future versions.
1446     #[inline]
1447     fn from(p: PathBuf) -> Box<Path> {
1448         p.into_boxed_path()
1449     }
1450 }
1451
1452 #[stable(feature = "more_box_slice_clone", since = "1.29.0")]
1453 impl Clone for Box<Path> {
1454     #[inline]
1455     fn clone(&self) -> Self {
1456         self.to_path_buf().into_boxed_path()
1457     }
1458 }
1459
1460 #[stable(feature = "rust1", since = "1.0.0")]
1461 impl<T: ?Sized + AsRef<OsStr>> From<&T> for PathBuf {
1462     #[inline]
1463     fn from(s: &T) -> PathBuf {
1464         PathBuf::from(s.as_ref().to_os_string())
1465     }
1466 }
1467
1468 #[stable(feature = "rust1", since = "1.0.0")]
1469 impl From<OsString> for PathBuf {
1470     /// Converts an [`OsString`] into a [`PathBuf`]
1471     ///
1472     /// This conversion does not allocate or copy memory.
1473     #[inline]
1474     fn from(s: OsString) -> PathBuf {
1475         PathBuf { inner: s }
1476     }
1477 }
1478
1479 #[stable(feature = "from_path_buf_for_os_string", since = "1.14.0")]
1480 impl From<PathBuf> for OsString {
1481     /// Converts a [`PathBuf`] into an [`OsString`]
1482     ///
1483     /// This conversion does not allocate or copy memory.
1484     #[inline]
1485     fn from(path_buf: PathBuf) -> OsString {
1486         path_buf.inner
1487     }
1488 }
1489
1490 #[stable(feature = "rust1", since = "1.0.0")]
1491 impl From<String> for PathBuf {
1492     /// Converts a [`String`] into a [`PathBuf`]
1493     ///
1494     /// This conversion does not allocate or copy memory.
1495     #[inline]
1496     fn from(s: String) -> PathBuf {
1497         PathBuf::from(OsString::from(s))
1498     }
1499 }
1500
1501 #[stable(feature = "path_from_str", since = "1.32.0")]
1502 impl FromStr for PathBuf {
1503     type Err = core::convert::Infallible;
1504
1505     #[inline]
1506     fn from_str(s: &str) -> Result<Self, Self::Err> {
1507         Ok(PathBuf::from(s))
1508     }
1509 }
1510
1511 #[stable(feature = "rust1", since = "1.0.0")]
1512 impl<P: AsRef<Path>> iter::FromIterator<P> for PathBuf {
1513     fn from_iter<I: IntoIterator<Item = P>>(iter: I) -> PathBuf {
1514         let mut buf = PathBuf::new();
1515         buf.extend(iter);
1516         buf
1517     }
1518 }
1519
1520 #[stable(feature = "rust1", since = "1.0.0")]
1521 impl<P: AsRef<Path>> iter::Extend<P> for PathBuf {
1522     fn extend<I: IntoIterator<Item = P>>(&mut self, iter: I) {
1523         iter.into_iter().for_each(move |p| self.push(p.as_ref()));
1524     }
1525
1526     #[inline]
1527     fn extend_one(&mut self, p: P) {
1528         self.push(p.as_ref());
1529     }
1530 }
1531
1532 #[stable(feature = "rust1", since = "1.0.0")]
1533 impl fmt::Debug for PathBuf {
1534     fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
1535         fmt::Debug::fmt(&**self, formatter)
1536     }
1537 }
1538
1539 #[stable(feature = "rust1", since = "1.0.0")]
1540 impl ops::Deref for PathBuf {
1541     type Target = Path;
1542     #[inline]
1543     fn deref(&self) -> &Path {
1544         Path::new(&self.inner)
1545     }
1546 }
1547
1548 #[stable(feature = "rust1", since = "1.0.0")]
1549 impl Borrow<Path> for PathBuf {
1550     #[inline]
1551     fn borrow(&self) -> &Path {
1552         self.deref()
1553     }
1554 }
1555
1556 #[stable(feature = "default_for_pathbuf", since = "1.17.0")]
1557 impl Default for PathBuf {
1558     #[inline]
1559     fn default() -> Self {
1560         PathBuf::new()
1561     }
1562 }
1563
1564 #[stable(feature = "cow_from_path", since = "1.6.0")]
1565 impl<'a> From<&'a Path> for Cow<'a, Path> {
1566     #[inline]
1567     fn from(s: &'a Path) -> Cow<'a, Path> {
1568         Cow::Borrowed(s)
1569     }
1570 }
1571
1572 #[stable(feature = "cow_from_path", since = "1.6.0")]
1573 impl<'a> From<PathBuf> for Cow<'a, Path> {
1574     #[inline]
1575     fn from(s: PathBuf) -> Cow<'a, Path> {
1576         Cow::Owned(s)
1577     }
1578 }
1579
1580 #[stable(feature = "cow_from_pathbuf_ref", since = "1.28.0")]
1581 impl<'a> From<&'a PathBuf> for Cow<'a, Path> {
1582     #[inline]
1583     fn from(p: &'a PathBuf) -> Cow<'a, Path> {
1584         Cow::Borrowed(p.as_path())
1585     }
1586 }
1587
1588 #[stable(feature = "pathbuf_from_cow_path", since = "1.28.0")]
1589 impl<'a> From<Cow<'a, Path>> for PathBuf {
1590     #[inline]
1591     fn from(p: Cow<'a, Path>) -> Self {
1592         p.into_owned()
1593     }
1594 }
1595
1596 #[stable(feature = "shared_from_slice2", since = "1.24.0")]
1597 impl From<PathBuf> for Arc<Path> {
1598     /// Converts a [`PathBuf`] into an [`Arc`] by moving the [`PathBuf`] data into a new [`Arc`] buffer.
1599     #[inline]
1600     fn from(s: PathBuf) -> Arc<Path> {
1601         let arc: Arc<OsStr> = Arc::from(s.into_os_string());
1602         unsafe { Arc::from_raw(Arc::into_raw(arc) as *const Path) }
1603     }
1604 }
1605
1606 #[stable(feature = "shared_from_slice2", since = "1.24.0")]
1607 impl From<&Path> for Arc<Path> {
1608     /// Converts a [`Path`] into an [`Arc`] by copying the [`Path`] data into a new [`Arc`] buffer.
1609     #[inline]
1610     fn from(s: &Path) -> Arc<Path> {
1611         let arc: Arc<OsStr> = Arc::from(s.as_os_str());
1612         unsafe { Arc::from_raw(Arc::into_raw(arc) as *const Path) }
1613     }
1614 }
1615
1616 #[stable(feature = "shared_from_slice2", since = "1.24.0")]
1617 impl From<PathBuf> for Rc<Path> {
1618     /// Converts a [`PathBuf`] into an [`Rc`] by moving the [`PathBuf`] data into a new `Rc` buffer.
1619     #[inline]
1620     fn from(s: PathBuf) -> Rc<Path> {
1621         let rc: Rc<OsStr> = Rc::from(s.into_os_string());
1622         unsafe { Rc::from_raw(Rc::into_raw(rc) as *const Path) }
1623     }
1624 }
1625
1626 #[stable(feature = "shared_from_slice2", since = "1.24.0")]
1627 impl From<&Path> for Rc<Path> {
1628     /// Converts a [`Path`] into an [`Rc`] by copying the [`Path`] data into a new `Rc` buffer.
1629     #[inline]
1630     fn from(s: &Path) -> Rc<Path> {
1631         let rc: Rc<OsStr> = Rc::from(s.as_os_str());
1632         unsafe { Rc::from_raw(Rc::into_raw(rc) as *const Path) }
1633     }
1634 }
1635
1636 #[stable(feature = "rust1", since = "1.0.0")]
1637 impl ToOwned for Path {
1638     type Owned = PathBuf;
1639     #[inline]
1640     fn to_owned(&self) -> PathBuf {
1641         self.to_path_buf()
1642     }
1643     #[inline]
1644     fn clone_into(&self, target: &mut PathBuf) {
1645         self.inner.clone_into(&mut target.inner);
1646     }
1647 }
1648
1649 #[stable(feature = "rust1", since = "1.0.0")]
1650 impl cmp::PartialEq for PathBuf {
1651     #[inline]
1652     fn eq(&self, other: &PathBuf) -> bool {
1653         self.components() == other.components()
1654     }
1655 }
1656
1657 #[stable(feature = "rust1", since = "1.0.0")]
1658 impl Hash for PathBuf {
1659     fn hash<H: Hasher>(&self, h: &mut H) {
1660         self.as_path().hash(h)
1661     }
1662 }
1663
1664 #[stable(feature = "rust1", since = "1.0.0")]
1665 impl cmp::Eq for PathBuf {}
1666
1667 #[stable(feature = "rust1", since = "1.0.0")]
1668 impl cmp::PartialOrd for PathBuf {
1669     #[inline]
1670     fn partial_cmp(&self, other: &PathBuf) -> Option<cmp::Ordering> {
1671         self.components().partial_cmp(other.components())
1672     }
1673 }
1674
1675 #[stable(feature = "rust1", since = "1.0.0")]
1676 impl cmp::Ord for PathBuf {
1677     #[inline]
1678     fn cmp(&self, other: &PathBuf) -> cmp::Ordering {
1679         self.components().cmp(other.components())
1680     }
1681 }
1682
1683 #[stable(feature = "rust1", since = "1.0.0")]
1684 impl AsRef<OsStr> for PathBuf {
1685     #[inline]
1686     fn as_ref(&self) -> &OsStr {
1687         &self.inner[..]
1688     }
1689 }
1690
1691 /// A slice of a path (akin to [`str`]).
1692 ///
1693 /// This type supports a number of operations for inspecting a path, including
1694 /// breaking the path into its components (separated by `/` on Unix and by either
1695 /// `/` or `\` on Windows), extracting the file name, determining whether the path
1696 /// is absolute, and so on.
1697 ///
1698 /// This is an *unsized* type, meaning that it must always be used behind a
1699 /// pointer like `&` or [`Box`]. For an owned version of this type,
1700 /// see [`PathBuf`].
1701 ///
1702 /// More details about the overall approach can be found in
1703 /// the [module documentation](self).
1704 ///
1705 /// # Examples
1706 ///
1707 /// ```
1708 /// use std::path::Path;
1709 /// use std::ffi::OsStr;
1710 ///
1711 /// // Note: this example does work on Windows
1712 /// let path = Path::new("./foo/bar.txt");
1713 ///
1714 /// let parent = path.parent();
1715 /// assert_eq!(parent, Some(Path::new("./foo")));
1716 ///
1717 /// let file_stem = path.file_stem();
1718 /// assert_eq!(file_stem, Some(OsStr::new("bar")));
1719 ///
1720 /// let extension = path.extension();
1721 /// assert_eq!(extension, Some(OsStr::new("txt")));
1722 /// ```
1723 #[cfg_attr(not(test), rustc_diagnostic_item = "Path")]
1724 #[stable(feature = "rust1", since = "1.0.0")]
1725 // FIXME:
1726 // `Path::new` current implementation relies
1727 // on `Path` being layout-compatible with `OsStr`.
1728 // When attribute privacy is implemented, `Path` should be annotated as `#[repr(transparent)]`.
1729 // Anyway, `Path` representation and layout are considered implementation detail, are
1730 // not documented and must not be relied upon.
1731 pub struct Path {
1732     inner: OsStr,
1733 }
1734
1735 /// An error returned from [`Path::strip_prefix`] if the prefix was not found.
1736 ///
1737 /// This `struct` is created by the [`strip_prefix`] method on [`Path`].
1738 /// See its documentation for more.
1739 ///
1740 /// [`strip_prefix`]: Path::strip_prefix
1741 #[derive(Debug, Clone, PartialEq, Eq)]
1742 #[stable(since = "1.7.0", feature = "strip_prefix")]
1743 pub struct StripPrefixError(());
1744
1745 impl Path {
1746     // The following (private!) function allows construction of a path from a u8
1747     // slice, which is only safe when it is known to follow the OsStr encoding.
1748     unsafe fn from_u8_slice(s: &[u8]) -> &Path {
1749         unsafe { Path::new(u8_slice_as_os_str(s)) }
1750     }
1751     // The following (private!) function reveals the byte encoding used for OsStr.
1752     fn as_u8_slice(&self) -> &[u8] {
1753         os_str_as_u8_slice(&self.inner)
1754     }
1755
1756     /// Directly wraps a string slice as a `Path` slice.
1757     ///
1758     /// This is a cost-free conversion.
1759     ///
1760     /// # Examples
1761     ///
1762     /// ```
1763     /// use std::path::Path;
1764     ///
1765     /// Path::new("foo.txt");
1766     /// ```
1767     ///
1768     /// You can create `Path`s from `String`s, or even other `Path`s:
1769     ///
1770     /// ```
1771     /// use std::path::Path;
1772     ///
1773     /// let string = String::from("foo.txt");
1774     /// let from_string = Path::new(&string);
1775     /// let from_path = Path::new(&from_string);
1776     /// assert_eq!(from_string, from_path);
1777     /// ```
1778     #[stable(feature = "rust1", since = "1.0.0")]
1779     pub fn new<S: AsRef<OsStr> + ?Sized>(s: &S) -> &Path {
1780         unsafe { &*(s.as_ref() as *const OsStr as *const Path) }
1781     }
1782
1783     /// Yields the underlying [`OsStr`] slice.
1784     ///
1785     /// # Examples
1786     ///
1787     /// ```
1788     /// use std::path::Path;
1789     ///
1790     /// let os_str = Path::new("foo.txt").as_os_str();
1791     /// assert_eq!(os_str, std::ffi::OsStr::new("foo.txt"));
1792     /// ```
1793     #[stable(feature = "rust1", since = "1.0.0")]
1794     #[inline]
1795     pub fn as_os_str(&self) -> &OsStr {
1796         &self.inner
1797     }
1798
1799     /// Yields a [`&str`] slice if the `Path` is valid unicode.
1800     ///
1801     /// This conversion may entail doing a check for UTF-8 validity.
1802     /// Note that validation is performed because non-UTF-8 strings are
1803     /// perfectly valid for some OS.
1804     ///
1805     /// [`&str`]: str
1806     ///
1807     /// # Examples
1808     ///
1809     /// ```
1810     /// use std::path::Path;
1811     ///
1812     /// let path = Path::new("foo.txt");
1813     /// assert_eq!(path.to_str(), Some("foo.txt"));
1814     /// ```
1815     #[stable(feature = "rust1", since = "1.0.0")]
1816     #[inline]
1817     pub fn to_str(&self) -> Option<&str> {
1818         self.inner.to_str()
1819     }
1820
1821     /// Converts a `Path` to a [`Cow<str>`].
1822     ///
1823     /// Any non-Unicode sequences are replaced with
1824     /// [`U+FFFD REPLACEMENT CHARACTER`][U+FFFD].
1825     ///
1826     /// [U+FFFD]: super::char::REPLACEMENT_CHARACTER
1827     ///
1828     /// # Examples
1829     ///
1830     /// Calling `to_string_lossy` on a `Path` with valid unicode:
1831     ///
1832     /// ```
1833     /// use std::path::Path;
1834     ///
1835     /// let path = Path::new("foo.txt");
1836     /// assert_eq!(path.to_string_lossy(), "foo.txt");
1837     /// ```
1838     ///
1839     /// Had `path` contained invalid unicode, the `to_string_lossy` call might
1840     /// have returned `"fo�.txt"`.
1841     #[stable(feature = "rust1", since = "1.0.0")]
1842     #[inline]
1843     pub fn to_string_lossy(&self) -> Cow<'_, str> {
1844         self.inner.to_string_lossy()
1845     }
1846
1847     /// Converts a `Path` to an owned [`PathBuf`].
1848     ///
1849     /// # Examples
1850     ///
1851     /// ```
1852     /// use std::path::Path;
1853     ///
1854     /// let path_buf = Path::new("foo.txt").to_path_buf();
1855     /// assert_eq!(path_buf, std::path::PathBuf::from("foo.txt"));
1856     /// ```
1857     #[rustc_conversion_suggestion]
1858     #[stable(feature = "rust1", since = "1.0.0")]
1859     pub fn to_path_buf(&self) -> PathBuf {
1860         PathBuf::from(self.inner.to_os_string())
1861     }
1862
1863     /// Returns `true` if the `Path` is absolute, i.e., if it is independent of
1864     /// the current directory.
1865     ///
1866     /// * On Unix, a path is absolute if it starts with the root, so
1867     /// `is_absolute` and [`has_root`] are equivalent.
1868     ///
1869     /// * On Windows, a path is absolute if it has a prefix and starts with the
1870     /// root: `c:\windows` is absolute, while `c:temp` and `\temp` are not.
1871     ///
1872     /// # Examples
1873     ///
1874     /// ```
1875     /// use std::path::Path;
1876     ///
1877     /// assert!(!Path::new("foo.txt").is_absolute());
1878     /// ```
1879     ///
1880     /// [`has_root`]: Path::has_root
1881     #[stable(feature = "rust1", since = "1.0.0")]
1882     #[allow(deprecated)]
1883     pub fn is_absolute(&self) -> bool {
1884         if cfg!(target_os = "redox") {
1885             // FIXME: Allow Redox prefixes
1886             self.has_root() || has_redox_scheme(self.as_u8_slice())
1887         } else {
1888             self.has_root() && (cfg!(any(unix, target_os = "wasi")) || self.prefix().is_some())
1889         }
1890     }
1891
1892     /// Returns `true` if the `Path` is relative, i.e., not absolute.
1893     ///
1894     /// See [`is_absolute`]'s documentation for more details.
1895     ///
1896     /// # Examples
1897     ///
1898     /// ```
1899     /// use std::path::Path;
1900     ///
1901     /// assert!(Path::new("foo.txt").is_relative());
1902     /// ```
1903     ///
1904     /// [`is_absolute`]: Path::is_absolute
1905     #[stable(feature = "rust1", since = "1.0.0")]
1906     #[inline]
1907     pub fn is_relative(&self) -> bool {
1908         !self.is_absolute()
1909     }
1910
1911     fn prefix(&self) -> Option<Prefix<'_>> {
1912         self.components().prefix
1913     }
1914
1915     /// Returns `true` if the `Path` has a root.
1916     ///
1917     /// * On Unix, a path has a root if it begins with `/`.
1918     ///
1919     /// * On Windows, a path has a root if it:
1920     ///     * has no prefix and begins with a separator, e.g., `\windows`
1921     ///     * has a prefix followed by a separator, e.g., `c:\windows` but not `c:windows`
1922     ///     * has any non-disk prefix, e.g., `\\server\share`
1923     ///
1924     /// # Examples
1925     ///
1926     /// ```
1927     /// use std::path::Path;
1928     ///
1929     /// assert!(Path::new("/etc/passwd").has_root());
1930     /// ```
1931     #[stable(feature = "rust1", since = "1.0.0")]
1932     #[inline]
1933     pub fn has_root(&self) -> bool {
1934         self.components().has_root()
1935     }
1936
1937     /// Returns the `Path` without its final component, if there is one.
1938     ///
1939     /// Returns [`None`] if the path terminates in a root or prefix.
1940     ///
1941     /// # Examples
1942     ///
1943     /// ```
1944     /// use std::path::Path;
1945     ///
1946     /// let path = Path::new("/foo/bar");
1947     /// let parent = path.parent().unwrap();
1948     /// assert_eq!(parent, Path::new("/foo"));
1949     ///
1950     /// let grand_parent = parent.parent().unwrap();
1951     /// assert_eq!(grand_parent, Path::new("/"));
1952     /// assert_eq!(grand_parent.parent(), None);
1953     /// ```
1954     #[stable(feature = "rust1", since = "1.0.0")]
1955     pub fn parent(&self) -> Option<&Path> {
1956         let mut comps = self.components();
1957         let comp = comps.next_back();
1958         comp.and_then(|p| match p {
1959             Component::Normal(_) | Component::CurDir | Component::ParentDir => {
1960                 Some(comps.as_path())
1961             }
1962             _ => None,
1963         })
1964     }
1965
1966     /// Produces an iterator over `Path` and its ancestors.
1967     ///
1968     /// The iterator will yield the `Path` that is returned if the [`parent`] method is used zero
1969     /// or more times. That means, the iterator will yield `&self`, `&self.parent().unwrap()`,
1970     /// `&self.parent().unwrap().parent().unwrap()` and so on. If the [`parent`] method returns
1971     /// [`None`], the iterator will do likewise. The iterator will always yield at least one value,
1972     /// namely `&self`.
1973     ///
1974     /// # Examples
1975     ///
1976     /// ```
1977     /// use std::path::Path;
1978     ///
1979     /// let mut ancestors = Path::new("/foo/bar").ancestors();
1980     /// assert_eq!(ancestors.next(), Some(Path::new("/foo/bar")));
1981     /// assert_eq!(ancestors.next(), Some(Path::new("/foo")));
1982     /// assert_eq!(ancestors.next(), Some(Path::new("/")));
1983     /// assert_eq!(ancestors.next(), None);
1984     ///
1985     /// let mut ancestors = Path::new("../foo/bar").ancestors();
1986     /// assert_eq!(ancestors.next(), Some(Path::new("../foo/bar")));
1987     /// assert_eq!(ancestors.next(), Some(Path::new("../foo")));
1988     /// assert_eq!(ancestors.next(), Some(Path::new("..")));
1989     /// assert_eq!(ancestors.next(), Some(Path::new("")));
1990     /// assert_eq!(ancestors.next(), None);
1991     /// ```
1992     ///
1993     /// [`parent`]: Path::parent
1994     #[stable(feature = "path_ancestors", since = "1.28.0")]
1995     #[inline]
1996     pub fn ancestors(&self) -> Ancestors<'_> {
1997         Ancestors { next: Some(&self) }
1998     }
1999
2000     /// Returns the final component of the `Path`, if there is one.
2001     ///
2002     /// If the path is a normal file, this is the file name. If it's the path of a directory, this
2003     /// is the directory name.
2004     ///
2005     /// Returns [`None`] if the path terminates in `..`.
2006     ///
2007     /// # Examples
2008     ///
2009     /// ```
2010     /// use std::path::Path;
2011     /// use std::ffi::OsStr;
2012     ///
2013     /// assert_eq!(Some(OsStr::new("bin")), Path::new("/usr/bin/").file_name());
2014     /// assert_eq!(Some(OsStr::new("foo.txt")), Path::new("tmp/foo.txt").file_name());
2015     /// assert_eq!(Some(OsStr::new("foo.txt")), Path::new("foo.txt/.").file_name());
2016     /// assert_eq!(Some(OsStr::new("foo.txt")), Path::new("foo.txt/.//").file_name());
2017     /// assert_eq!(None, Path::new("foo.txt/..").file_name());
2018     /// assert_eq!(None, Path::new("/").file_name());
2019     /// ```
2020     #[stable(feature = "rust1", since = "1.0.0")]
2021     pub fn file_name(&self) -> Option<&OsStr> {
2022         self.components().next_back().and_then(|p| match p {
2023             Component::Normal(p) => Some(p),
2024             _ => None,
2025         })
2026     }
2027
2028     /// Returns a path that, when joined onto `base`, yields `self`.
2029     ///
2030     /// # Errors
2031     ///
2032     /// If `base` is not a prefix of `self` (i.e., [`starts_with`]
2033     /// returns `false`), returns [`Err`].
2034     ///
2035     /// [`starts_with`]: Path::starts_with
2036     ///
2037     /// # Examples
2038     ///
2039     /// ```
2040     /// use std::path::{Path, PathBuf};
2041     ///
2042     /// let path = Path::new("/test/haha/foo.txt");
2043     ///
2044     /// assert_eq!(path.strip_prefix("/"), Ok(Path::new("test/haha/foo.txt")));
2045     /// assert_eq!(path.strip_prefix("/test"), Ok(Path::new("haha/foo.txt")));
2046     /// assert_eq!(path.strip_prefix("/test/"), Ok(Path::new("haha/foo.txt")));
2047     /// assert_eq!(path.strip_prefix("/test/haha/foo.txt"), Ok(Path::new("")));
2048     /// assert_eq!(path.strip_prefix("/test/haha/foo.txt/"), Ok(Path::new("")));
2049     ///
2050     /// assert!(path.strip_prefix("test").is_err());
2051     /// assert!(path.strip_prefix("/haha").is_err());
2052     ///
2053     /// let prefix = PathBuf::from("/test/");
2054     /// assert_eq!(path.strip_prefix(prefix), Ok(Path::new("haha/foo.txt")));
2055     /// ```
2056     #[stable(since = "1.7.0", feature = "path_strip_prefix")]
2057     pub fn strip_prefix<P>(&self, base: P) -> Result<&Path, StripPrefixError>
2058     where
2059         P: AsRef<Path>,
2060     {
2061         self._strip_prefix(base.as_ref())
2062     }
2063
2064     fn _strip_prefix(&self, base: &Path) -> Result<&Path, StripPrefixError> {
2065         iter_after(self.components(), base.components())
2066             .map(|c| c.as_path())
2067             .ok_or(StripPrefixError(()))
2068     }
2069
2070     /// Determines whether `base` is a prefix of `self`.
2071     ///
2072     /// Only considers whole path components to match.
2073     ///
2074     /// # Examples
2075     ///
2076     /// ```
2077     /// use std::path::Path;
2078     ///
2079     /// let path = Path::new("/etc/passwd");
2080     ///
2081     /// assert!(path.starts_with("/etc"));
2082     /// assert!(path.starts_with("/etc/"));
2083     /// assert!(path.starts_with("/etc/passwd"));
2084     /// assert!(path.starts_with("/etc/passwd/")); // extra slash is okay
2085     /// assert!(path.starts_with("/etc/passwd///")); // multiple extra slashes are okay
2086     ///
2087     /// assert!(!path.starts_with("/e"));
2088     /// assert!(!path.starts_with("/etc/passwd.txt"));
2089     ///
2090     /// assert!(!Path::new("/etc/foo.rs").starts_with("/etc/foo"));
2091     /// ```
2092     #[stable(feature = "rust1", since = "1.0.0")]
2093     pub fn starts_with<P: AsRef<Path>>(&self, base: P) -> bool {
2094         self._starts_with(base.as_ref())
2095     }
2096
2097     fn _starts_with(&self, base: &Path) -> bool {
2098         iter_after(self.components(), base.components()).is_some()
2099     }
2100
2101     /// Determines whether `child` is a suffix of `self`.
2102     ///
2103     /// Only considers whole path components to match.
2104     ///
2105     /// # Examples
2106     ///
2107     /// ```
2108     /// use std::path::Path;
2109     ///
2110     /// let path = Path::new("/etc/resolv.conf");
2111     ///
2112     /// assert!(path.ends_with("resolv.conf"));
2113     /// assert!(path.ends_with("etc/resolv.conf"));
2114     /// assert!(path.ends_with("/etc/resolv.conf"));
2115     ///
2116     /// assert!(!path.ends_with("/resolv.conf"));
2117     /// assert!(!path.ends_with("conf")); // use .extension() instead
2118     /// ```
2119     #[stable(feature = "rust1", since = "1.0.0")]
2120     pub fn ends_with<P: AsRef<Path>>(&self, child: P) -> bool {
2121         self._ends_with(child.as_ref())
2122     }
2123
2124     fn _ends_with(&self, child: &Path) -> bool {
2125         iter_after(self.components().rev(), child.components().rev()).is_some()
2126     }
2127
2128     /// Extracts the stem (non-extension) portion of [`self.file_name`].
2129     ///
2130     /// [`self.file_name`]: Path::file_name
2131     ///
2132     /// The stem is:
2133     ///
2134     /// * [`None`], if there is no file name;
2135     /// * The entire file name if there is no embedded `.`;
2136     /// * The entire file name if the file name begins with `.` and has no other `.`s within;
2137     /// * Otherwise, the portion of the file name before the final `.`
2138     ///
2139     /// # Examples
2140     ///
2141     /// ```
2142     /// use std::path::Path;
2143     ///
2144     /// assert_eq!("foo", Path::new("foo.rs").file_stem().unwrap());
2145     /// assert_eq!("foo.tar", Path::new("foo.tar.gz").file_stem().unwrap());
2146     /// ```
2147     #[stable(feature = "rust1", since = "1.0.0")]
2148     pub fn file_stem(&self) -> Option<&OsStr> {
2149         self.file_name().map(split_file_at_dot).and_then(|(before, after)| before.or(after))
2150     }
2151
2152     /// Extracts the extension of [`self.file_name`], if possible.
2153     ///
2154     /// The extension is:
2155     ///
2156     /// * [`None`], if there is no file name;
2157     /// * [`None`], if there is no embedded `.`;
2158     /// * [`None`], if the file name begins with `.` and has no other `.`s within;
2159     /// * Otherwise, the portion of the file name after the final `.`
2160     ///
2161     /// [`self.file_name`]: Path::file_name
2162     ///
2163     /// # Examples
2164     ///
2165     /// ```
2166     /// use std::path::Path;
2167     ///
2168     /// assert_eq!("rs", Path::new("foo.rs").extension().unwrap());
2169     /// assert_eq!("gz", Path::new("foo.tar.gz").extension().unwrap());
2170     /// ```
2171     #[stable(feature = "rust1", since = "1.0.0")]
2172     pub fn extension(&self) -> Option<&OsStr> {
2173         self.file_name().map(split_file_at_dot).and_then(|(before, after)| before.and(after))
2174     }
2175
2176     /// Creates an owned [`PathBuf`] with `path` adjoined to `self`.
2177     ///
2178     /// See [`PathBuf::push`] for more details on what it means to adjoin a path.
2179     ///
2180     /// # Examples
2181     ///
2182     /// ```
2183     /// use std::path::{Path, PathBuf};
2184     ///
2185     /// assert_eq!(Path::new("/etc").join("passwd"), PathBuf::from("/etc/passwd"));
2186     /// ```
2187     #[stable(feature = "rust1", since = "1.0.0")]
2188     #[must_use]
2189     pub fn join<P: AsRef<Path>>(&self, path: P) -> PathBuf {
2190         self._join(path.as_ref())
2191     }
2192
2193     fn _join(&self, path: &Path) -> PathBuf {
2194         let mut buf = self.to_path_buf();
2195         buf.push(path);
2196         buf
2197     }
2198
2199     /// Creates an owned [`PathBuf`] like `self` but with the given file name.
2200     ///
2201     /// See [`PathBuf::set_file_name`] for more details.
2202     ///
2203     /// # Examples
2204     ///
2205     /// ```
2206     /// use std::path::{Path, PathBuf};
2207     ///
2208     /// let path = Path::new("/tmp/foo.txt");
2209     /// assert_eq!(path.with_file_name("bar.txt"), PathBuf::from("/tmp/bar.txt"));
2210     ///
2211     /// let path = Path::new("/tmp");
2212     /// assert_eq!(path.with_file_name("var"), PathBuf::from("/var"));
2213     /// ```
2214     #[stable(feature = "rust1", since = "1.0.0")]
2215     pub fn with_file_name<S: AsRef<OsStr>>(&self, file_name: S) -> PathBuf {
2216         self._with_file_name(file_name.as_ref())
2217     }
2218
2219     fn _with_file_name(&self, file_name: &OsStr) -> PathBuf {
2220         let mut buf = self.to_path_buf();
2221         buf.set_file_name(file_name);
2222         buf
2223     }
2224
2225     /// Creates an owned [`PathBuf`] like `self` but with the given extension.
2226     ///
2227     /// See [`PathBuf::set_extension`] for more details.
2228     ///
2229     /// # Examples
2230     ///
2231     /// ```
2232     /// use std::path::{Path, PathBuf};
2233     ///
2234     /// let path = Path::new("foo.rs");
2235     /// assert_eq!(path.with_extension("txt"), PathBuf::from("foo.txt"));
2236     ///
2237     /// let path = Path::new("foo.tar.gz");
2238     /// assert_eq!(path.with_extension(""), PathBuf::from("foo.tar"));
2239     /// assert_eq!(path.with_extension("xz"), PathBuf::from("foo.tar.xz"));
2240     /// assert_eq!(path.with_extension("").with_extension("txt"), PathBuf::from("foo.txt"));
2241     /// ```
2242     #[stable(feature = "rust1", since = "1.0.0")]
2243     pub fn with_extension<S: AsRef<OsStr>>(&self, extension: S) -> PathBuf {
2244         self._with_extension(extension.as_ref())
2245     }
2246
2247     fn _with_extension(&self, extension: &OsStr) -> PathBuf {
2248         let mut buf = self.to_path_buf();
2249         buf.set_extension(extension);
2250         buf
2251     }
2252
2253     /// Produces an iterator over the [`Component`]s of the path.
2254     ///
2255     /// When parsing the path, there is a small amount of normalization:
2256     ///
2257     /// * Repeated separators are ignored, so `a/b` and `a//b` both have
2258     ///   `a` and `b` as components.
2259     ///
2260     /// * Occurrences of `.` are normalized away, except if they are at the
2261     ///   beginning of the path. For example, `a/./b`, `a/b/`, `a/b/.` and
2262     ///   `a/b` all have `a` and `b` as components, but `./a/b` starts with
2263     ///   an additional [`CurDir`] component.
2264     ///
2265     /// * A trailing slash is normalized away, `/a/b` and `/a/b/` are equivalent.
2266     ///
2267     /// Note that no other normalization takes place; in particular, `a/c`
2268     /// and `a/b/../c` are distinct, to account for the possibility that `b`
2269     /// is a symbolic link (so its parent isn't `a`).
2270     ///
2271     /// # Examples
2272     ///
2273     /// ```
2274     /// use std::path::{Path, Component};
2275     /// use std::ffi::OsStr;
2276     ///
2277     /// let mut components = Path::new("/tmp/foo.txt").components();
2278     ///
2279     /// assert_eq!(components.next(), Some(Component::RootDir));
2280     /// assert_eq!(components.next(), Some(Component::Normal(OsStr::new("tmp"))));
2281     /// assert_eq!(components.next(), Some(Component::Normal(OsStr::new("foo.txt"))));
2282     /// assert_eq!(components.next(), None)
2283     /// ```
2284     ///
2285     /// [`CurDir`]: Component::CurDir
2286     #[stable(feature = "rust1", since = "1.0.0")]
2287     pub fn components(&self) -> Components<'_> {
2288         let prefix = parse_prefix(self.as_os_str());
2289         Components {
2290             path: self.as_u8_slice(),
2291             prefix,
2292             has_physical_root: has_physical_root(self.as_u8_slice(), prefix)
2293                 || has_redox_scheme(self.as_u8_slice()),
2294             front: State::Prefix,
2295             back: State::Body,
2296         }
2297     }
2298
2299     /// Produces an iterator over the path's components viewed as [`OsStr`]
2300     /// slices.
2301     ///
2302     /// For more information about the particulars of how the path is separated
2303     /// into components, see [`components`].
2304     ///
2305     /// [`components`]: Path::components
2306     ///
2307     /// # Examples
2308     ///
2309     /// ```
2310     /// use std::path::{self, Path};
2311     /// use std::ffi::OsStr;
2312     ///
2313     /// let mut it = Path::new("/tmp/foo.txt").iter();
2314     /// assert_eq!(it.next(), Some(OsStr::new(&path::MAIN_SEPARATOR.to_string())));
2315     /// assert_eq!(it.next(), Some(OsStr::new("tmp")));
2316     /// assert_eq!(it.next(), Some(OsStr::new("foo.txt")));
2317     /// assert_eq!(it.next(), None)
2318     /// ```
2319     #[stable(feature = "rust1", since = "1.0.0")]
2320     #[inline]
2321     pub fn iter(&self) -> Iter<'_> {
2322         Iter { inner: self.components() }
2323     }
2324
2325     /// Returns an object that implements [`Display`] for safely printing paths
2326     /// that may contain non-Unicode data. This may perform lossy conversion,
2327     /// depending on the platform.  If you would like an implementation which
2328     /// escapes the path please use [`Debug`] instead.
2329     ///
2330     /// [`Display`]: fmt::Display
2331     ///
2332     /// # Examples
2333     ///
2334     /// ```
2335     /// use std::path::Path;
2336     ///
2337     /// let path = Path::new("/tmp/foo.rs");
2338     ///
2339     /// println!("{}", path.display());
2340     /// ```
2341     #[stable(feature = "rust1", since = "1.0.0")]
2342     #[inline]
2343     pub fn display(&self) -> Display<'_> {
2344         Display { path: self }
2345     }
2346
2347     /// Queries the file system to get information about a file, directory, etc.
2348     ///
2349     /// This function will traverse symbolic links to query information about the
2350     /// destination file.
2351     ///
2352     /// This is an alias to [`fs::metadata`].
2353     ///
2354     /// # Examples
2355     ///
2356     /// ```no_run
2357     /// use std::path::Path;
2358     ///
2359     /// let path = Path::new("/Minas/tirith");
2360     /// let metadata = path.metadata().expect("metadata call failed");
2361     /// println!("{:?}", metadata.file_type());
2362     /// ```
2363     #[stable(feature = "path_ext", since = "1.5.0")]
2364     #[inline]
2365     pub fn metadata(&self) -> io::Result<fs::Metadata> {
2366         fs::metadata(self)
2367     }
2368
2369     /// Queries the metadata about a file without following symlinks.
2370     ///
2371     /// This is an alias to [`fs::symlink_metadata`].
2372     ///
2373     /// # Examples
2374     ///
2375     /// ```no_run
2376     /// use std::path::Path;
2377     ///
2378     /// let path = Path::new("/Minas/tirith");
2379     /// let metadata = path.symlink_metadata().expect("symlink_metadata call failed");
2380     /// println!("{:?}", metadata.file_type());
2381     /// ```
2382     #[stable(feature = "path_ext", since = "1.5.0")]
2383     #[inline]
2384     pub fn symlink_metadata(&self) -> io::Result<fs::Metadata> {
2385         fs::symlink_metadata(self)
2386     }
2387
2388     /// Returns the canonical, absolute form of the path with all intermediate
2389     /// components normalized and symbolic links resolved.
2390     ///
2391     /// This is an alias to [`fs::canonicalize`].
2392     ///
2393     /// # Examples
2394     ///
2395     /// ```no_run
2396     /// use std::path::{Path, PathBuf};
2397     ///
2398     /// let path = Path::new("/foo/test/../test/bar.rs");
2399     /// assert_eq!(path.canonicalize().unwrap(), PathBuf::from("/foo/test/bar.rs"));
2400     /// ```
2401     #[stable(feature = "path_ext", since = "1.5.0")]
2402     #[inline]
2403     pub fn canonicalize(&self) -> io::Result<PathBuf> {
2404         fs::canonicalize(self)
2405     }
2406
2407     /// Reads a symbolic link, returning the file that the link points to.
2408     ///
2409     /// This is an alias to [`fs::read_link`].
2410     ///
2411     /// # Examples
2412     ///
2413     /// ```no_run
2414     /// use std::path::Path;
2415     ///
2416     /// let path = Path::new("/laputa/sky_castle.rs");
2417     /// let path_link = path.read_link().expect("read_link call failed");
2418     /// ```
2419     #[stable(feature = "path_ext", since = "1.5.0")]
2420     #[inline]
2421     pub fn read_link(&self) -> io::Result<PathBuf> {
2422         fs::read_link(self)
2423     }
2424
2425     /// Returns an iterator over the entries within a directory.
2426     ///
2427     /// The iterator will yield instances of [`io::Result`]`<`[`fs::DirEntry`]`>`. New
2428     /// errors may be encountered after an iterator is initially constructed.
2429     ///
2430     /// This is an alias to [`fs::read_dir`].
2431     ///
2432     /// # Examples
2433     ///
2434     /// ```no_run
2435     /// use std::path::Path;
2436     ///
2437     /// let path = Path::new("/laputa");
2438     /// for entry in path.read_dir().expect("read_dir call failed") {
2439     ///     if let Ok(entry) = entry {
2440     ///         println!("{:?}", entry.path());
2441     ///     }
2442     /// }
2443     /// ```
2444     #[stable(feature = "path_ext", since = "1.5.0")]
2445     #[inline]
2446     pub fn read_dir(&self) -> io::Result<fs::ReadDir> {
2447         fs::read_dir(self)
2448     }
2449
2450     /// Returns `true` if the path points at an existing entity.
2451     ///
2452     /// This function will traverse symbolic links to query information about the
2453     /// destination file. In case of broken symbolic links this will return `false`.
2454     ///
2455     /// If you cannot access the directory containing the file, e.g., because of a
2456     /// permission error, this will return `false`.
2457     ///
2458     /// # Examples
2459     ///
2460     /// ```no_run
2461     /// use std::path::Path;
2462     /// assert!(!Path::new("does_not_exist.txt").exists());
2463     /// ```
2464     ///
2465     /// # See Also
2466     ///
2467     /// This is a convenience function that coerces errors to false. If you want to
2468     /// check errors, call [`fs::metadata`].
2469     #[stable(feature = "path_ext", since = "1.5.0")]
2470     #[inline]
2471     pub fn exists(&self) -> bool {
2472         fs::metadata(self).is_ok()
2473     }
2474
2475     /// Returns `Ok(true)` if the path points at an existing entity.
2476     ///
2477     /// This function will traverse symbolic links to query information about the
2478     /// destination file. In case of broken symbolic links this will return `Ok(false)`.
2479     ///
2480     /// As opposed to the `exists()` method, this one doesn't silently ignore errors
2481     /// unrelated to the path not existing. (E.g. it will return `Err(_)` in case of permission
2482     /// denied on some of the parent directories.)
2483     ///
2484     /// # Examples
2485     ///
2486     /// ```no_run
2487     /// #![feature(path_try_exists)]
2488     ///
2489     /// use std::path::Path;
2490     /// assert!(!Path::new("does_not_exist.txt").try_exists().expect("Can't check existence of file does_not_exist.txt"));
2491     /// assert!(Path::new("/root/secret_file.txt").try_exists().is_err());
2492     /// ```
2493     // FIXME: stabilization should modify documentation of `exists()` to recommend this method
2494     // instead.
2495     #[unstable(feature = "path_try_exists", issue = "83186")]
2496     #[inline]
2497     pub fn try_exists(&self) -> io::Result<bool> {
2498         match fs::metadata(self) {
2499             Ok(_) => Ok(true),
2500             Err(error) if error.kind() == io::ErrorKind::NotFound => Ok(false),
2501             Err(error) => Err(error),
2502         }
2503     }
2504
2505     /// Returns `true` if the path exists on disk and is pointing at a regular file.
2506     ///
2507     /// This function will traverse symbolic links to query information about the
2508     /// destination file. In case of broken symbolic links this will return `false`.
2509     ///
2510     /// If you cannot access the directory containing the file, e.g., because of a
2511     /// permission error, this will return `false`.
2512     ///
2513     /// # Examples
2514     ///
2515     /// ```no_run
2516     /// use std::path::Path;
2517     /// assert_eq!(Path::new("./is_a_directory/").is_file(), false);
2518     /// assert_eq!(Path::new("a_file.txt").is_file(), true);
2519     /// ```
2520     ///
2521     /// # See Also
2522     ///
2523     /// This is a convenience function that coerces errors to false. If you want to
2524     /// check errors, call [`fs::metadata`] and handle its [`Result`]. Then call
2525     /// [`fs::Metadata::is_file`] if it was [`Ok`].
2526     ///
2527     /// When the goal is simply to read from (or write to) the source, the most
2528     /// reliable way to test the source can be read (or written to) is to open
2529     /// it. Only using `is_file` can break workflows like `diff <( prog_a )` on
2530     /// a Unix-like system for example. See [`fs::File::open`] or
2531     /// [`fs::OpenOptions::open`] for more information.
2532     #[stable(feature = "path_ext", since = "1.5.0")]
2533     pub fn is_file(&self) -> bool {
2534         fs::metadata(self).map(|m| m.is_file()).unwrap_or(false)
2535     }
2536
2537     /// Returns `true` if the path exists on disk and is pointing at a directory.
2538     ///
2539     /// This function will traverse symbolic links to query information about the
2540     /// destination file. In case of broken symbolic links this will return `false`.
2541     ///
2542     /// If you cannot access the directory containing the file, e.g., because of a
2543     /// permission error, this will return `false`.
2544     ///
2545     /// # Examples
2546     ///
2547     /// ```no_run
2548     /// use std::path::Path;
2549     /// assert_eq!(Path::new("./is_a_directory/").is_dir(), true);
2550     /// assert_eq!(Path::new("a_file.txt").is_dir(), false);
2551     /// ```
2552     ///
2553     /// # See Also
2554     ///
2555     /// This is a convenience function that coerces errors to false. If you want to
2556     /// check errors, call [`fs::metadata`] and handle its [`Result`]. Then call
2557     /// [`fs::Metadata::is_dir`] if it was [`Ok`].
2558     #[stable(feature = "path_ext", since = "1.5.0")]
2559     pub fn is_dir(&self) -> bool {
2560         fs::metadata(self).map(|m| m.is_dir()).unwrap_or(false)
2561     }
2562
2563     /// Converts a [`Box<Path>`](Box) into a [`PathBuf`] without copying or
2564     /// allocating.
2565     #[stable(feature = "into_boxed_path", since = "1.20.0")]
2566     pub fn into_path_buf(self: Box<Path>) -> PathBuf {
2567         let rw = Box::into_raw(self) as *mut OsStr;
2568         let inner = unsafe { Box::from_raw(rw) };
2569         PathBuf { inner: OsString::from(inner) }
2570     }
2571 }
2572
2573 #[stable(feature = "rust1", since = "1.0.0")]
2574 impl AsRef<OsStr> for Path {
2575     #[inline]
2576     fn as_ref(&self) -> &OsStr {
2577         &self.inner
2578     }
2579 }
2580
2581 #[stable(feature = "rust1", since = "1.0.0")]
2582 impl fmt::Debug for Path {
2583     fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
2584         fmt::Debug::fmt(&self.inner, formatter)
2585     }
2586 }
2587
2588 /// Helper struct for safely printing paths with [`format!`] and `{}`.
2589 ///
2590 /// A [`Path`] might contain non-Unicode data. This `struct` implements the
2591 /// [`Display`] trait in a way that mitigates that. It is created by the
2592 /// [`display`](Path::display) method on [`Path`]. This may perform lossy
2593 /// conversion, depending on the platform. If you would like an implementation
2594 /// which escapes the path please use [`Debug`] instead.
2595 ///
2596 /// # Examples
2597 ///
2598 /// ```
2599 /// use std::path::Path;
2600 ///
2601 /// let path = Path::new("/tmp/foo.rs");
2602 ///
2603 /// println!("{}", path.display());
2604 /// ```
2605 ///
2606 /// [`Display`]: fmt::Display
2607 /// [`format!`]: crate::format
2608 #[stable(feature = "rust1", since = "1.0.0")]
2609 pub struct Display<'a> {
2610     path: &'a Path,
2611 }
2612
2613 #[stable(feature = "rust1", since = "1.0.0")]
2614 impl fmt::Debug for Display<'_> {
2615     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2616         fmt::Debug::fmt(&self.path, f)
2617     }
2618 }
2619
2620 #[stable(feature = "rust1", since = "1.0.0")]
2621 impl fmt::Display for Display<'_> {
2622     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2623         self.path.inner.display(f)
2624     }
2625 }
2626
2627 #[stable(feature = "rust1", since = "1.0.0")]
2628 impl cmp::PartialEq for Path {
2629     #[inline]
2630     fn eq(&self, other: &Path) -> bool {
2631         self.components().eq(other.components())
2632     }
2633 }
2634
2635 #[stable(feature = "rust1", since = "1.0.0")]
2636 impl Hash for Path {
2637     fn hash<H: Hasher>(&self, h: &mut H) {
2638         for component in self.components() {
2639             component.hash(h);
2640         }
2641     }
2642 }
2643
2644 #[stable(feature = "rust1", since = "1.0.0")]
2645 impl cmp::Eq for Path {}
2646
2647 #[stable(feature = "rust1", since = "1.0.0")]
2648 impl cmp::PartialOrd for Path {
2649     #[inline]
2650     fn partial_cmp(&self, other: &Path) -> Option<cmp::Ordering> {
2651         self.components().partial_cmp(other.components())
2652     }
2653 }
2654
2655 #[stable(feature = "rust1", since = "1.0.0")]
2656 impl cmp::Ord for Path {
2657     #[inline]
2658     fn cmp(&self, other: &Path) -> cmp::Ordering {
2659         self.components().cmp(other.components())
2660     }
2661 }
2662
2663 #[stable(feature = "rust1", since = "1.0.0")]
2664 impl AsRef<Path> for Path {
2665     #[inline]
2666     fn as_ref(&self) -> &Path {
2667         self
2668     }
2669 }
2670
2671 #[stable(feature = "rust1", since = "1.0.0")]
2672 impl AsRef<Path> for OsStr {
2673     #[inline]
2674     fn as_ref(&self) -> &Path {
2675         Path::new(self)
2676     }
2677 }
2678
2679 #[stable(feature = "cow_os_str_as_ref_path", since = "1.8.0")]
2680 impl AsRef<Path> for Cow<'_, OsStr> {
2681     #[inline]
2682     fn as_ref(&self) -> &Path {
2683         Path::new(self)
2684     }
2685 }
2686
2687 #[stable(feature = "rust1", since = "1.0.0")]
2688 impl AsRef<Path> for OsString {
2689     #[inline]
2690     fn as_ref(&self) -> &Path {
2691         Path::new(self)
2692     }
2693 }
2694
2695 #[stable(feature = "rust1", since = "1.0.0")]
2696 impl AsRef<Path> for str {
2697     #[inline]
2698     fn as_ref(&self) -> &Path {
2699         Path::new(self)
2700     }
2701 }
2702
2703 #[stable(feature = "rust1", since = "1.0.0")]
2704 impl AsRef<Path> for String {
2705     #[inline]
2706     fn as_ref(&self) -> &Path {
2707         Path::new(self)
2708     }
2709 }
2710
2711 #[stable(feature = "rust1", since = "1.0.0")]
2712 impl AsRef<Path> for PathBuf {
2713     #[inline]
2714     fn as_ref(&self) -> &Path {
2715         self
2716     }
2717 }
2718
2719 #[stable(feature = "path_into_iter", since = "1.6.0")]
2720 impl<'a> IntoIterator for &'a PathBuf {
2721     type Item = &'a OsStr;
2722     type IntoIter = Iter<'a>;
2723     #[inline]
2724     fn into_iter(self) -> Iter<'a> {
2725         self.iter()
2726     }
2727 }
2728
2729 #[stable(feature = "path_into_iter", since = "1.6.0")]
2730 impl<'a> IntoIterator for &'a Path {
2731     type Item = &'a OsStr;
2732     type IntoIter = Iter<'a>;
2733     #[inline]
2734     fn into_iter(self) -> Iter<'a> {
2735         self.iter()
2736     }
2737 }
2738
2739 macro_rules! impl_cmp {
2740     ($lhs:ty, $rhs: ty) => {
2741         #[stable(feature = "partialeq_path", since = "1.6.0")]
2742         impl<'a, 'b> PartialEq<$rhs> for $lhs {
2743             #[inline]
2744             fn eq(&self, other: &$rhs) -> bool {
2745                 <Path as PartialEq>::eq(self, other)
2746             }
2747         }
2748
2749         #[stable(feature = "partialeq_path", since = "1.6.0")]
2750         impl<'a, 'b> PartialEq<$lhs> for $rhs {
2751             #[inline]
2752             fn eq(&self, other: &$lhs) -> bool {
2753                 <Path as PartialEq>::eq(self, other)
2754             }
2755         }
2756
2757         #[stable(feature = "cmp_path", since = "1.8.0")]
2758         impl<'a, 'b> PartialOrd<$rhs> for $lhs {
2759             #[inline]
2760             fn partial_cmp(&self, other: &$rhs) -> Option<cmp::Ordering> {
2761                 <Path as PartialOrd>::partial_cmp(self, other)
2762             }
2763         }
2764
2765         #[stable(feature = "cmp_path", since = "1.8.0")]
2766         impl<'a, 'b> PartialOrd<$lhs> for $rhs {
2767             #[inline]
2768             fn partial_cmp(&self, other: &$lhs) -> Option<cmp::Ordering> {
2769                 <Path as PartialOrd>::partial_cmp(self, other)
2770             }
2771         }
2772     };
2773 }
2774
2775 impl_cmp!(PathBuf, Path);
2776 impl_cmp!(PathBuf, &'a Path);
2777 impl_cmp!(Cow<'a, Path>, Path);
2778 impl_cmp!(Cow<'a, Path>, &'b Path);
2779 impl_cmp!(Cow<'a, Path>, PathBuf);
2780
2781 macro_rules! impl_cmp_os_str {
2782     ($lhs:ty, $rhs: ty) => {
2783         #[stable(feature = "cmp_path", since = "1.8.0")]
2784         impl<'a, 'b> PartialEq<$rhs> for $lhs {
2785             #[inline]
2786             fn eq(&self, other: &$rhs) -> bool {
2787                 <Path as PartialEq>::eq(self, other.as_ref())
2788             }
2789         }
2790
2791         #[stable(feature = "cmp_path", since = "1.8.0")]
2792         impl<'a, 'b> PartialEq<$lhs> for $rhs {
2793             #[inline]
2794             fn eq(&self, other: &$lhs) -> bool {
2795                 <Path as PartialEq>::eq(self.as_ref(), other)
2796             }
2797         }
2798
2799         #[stable(feature = "cmp_path", since = "1.8.0")]
2800         impl<'a, 'b> PartialOrd<$rhs> for $lhs {
2801             #[inline]
2802             fn partial_cmp(&self, other: &$rhs) -> Option<cmp::Ordering> {
2803                 <Path as PartialOrd>::partial_cmp(self, other.as_ref())
2804             }
2805         }
2806
2807         #[stable(feature = "cmp_path", since = "1.8.0")]
2808         impl<'a, 'b> PartialOrd<$lhs> for $rhs {
2809             #[inline]
2810             fn partial_cmp(&self, other: &$lhs) -> Option<cmp::Ordering> {
2811                 <Path as PartialOrd>::partial_cmp(self.as_ref(), other)
2812             }
2813         }
2814     };
2815 }
2816
2817 impl_cmp_os_str!(PathBuf, OsStr);
2818 impl_cmp_os_str!(PathBuf, &'a OsStr);
2819 impl_cmp_os_str!(PathBuf, Cow<'a, OsStr>);
2820 impl_cmp_os_str!(PathBuf, OsString);
2821 impl_cmp_os_str!(Path, OsStr);
2822 impl_cmp_os_str!(Path, &'a OsStr);
2823 impl_cmp_os_str!(Path, Cow<'a, OsStr>);
2824 impl_cmp_os_str!(Path, OsString);
2825 impl_cmp_os_str!(&'a Path, OsStr);
2826 impl_cmp_os_str!(&'a Path, Cow<'b, OsStr>);
2827 impl_cmp_os_str!(&'a Path, OsString);
2828 impl_cmp_os_str!(Cow<'a, Path>, OsStr);
2829 impl_cmp_os_str!(Cow<'a, Path>, &'b OsStr);
2830 impl_cmp_os_str!(Cow<'a, Path>, OsString);
2831
2832 #[stable(since = "1.7.0", feature = "strip_prefix")]
2833 impl fmt::Display for StripPrefixError {
2834     #[allow(deprecated, deprecated_in_future)]
2835     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2836         self.description().fmt(f)
2837     }
2838 }
2839
2840 #[stable(since = "1.7.0", feature = "strip_prefix")]
2841 impl Error for StripPrefixError {
2842     #[allow(deprecated)]
2843     fn description(&self) -> &str {
2844         "prefix not found"
2845     }
2846 }