Skip to main content

std/
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//! ## Case sensitivity
16//!
17//! Unless otherwise indicated path methods that do not access the filesystem,
18//! such as [`Path::starts_with`] and [`Path::ends_with`], are case sensitive no
19//! matter the platform or filesystem. An exception to this is made for Windows
20//! drive letters.
21//!
22//! ## Path normalization
23//!
24//! Several methods in this module perform basic path normalization by disregarding
25//! repeated separators, non-leading `.` components, and trailing separators. These include:
26//! - Methods for iteration, such as [`Path::components`] and [`Path::iter`]
27//! - Methods for inspection, such as [`Path::has_root`]
28//! - Comparisons using [`PartialEq`], [`PartialOrd`], and [`Ord`]
29//!
30//! [`Path::join`] and [`PathBuf::push`] also disregard trailing slashes.
31//!
32// FIXME(normalize_lexically): mention normalize_lexically once stable
33//! These methods **do not** resolve `..` components or symlinks. For full normalization
34//! including `..` resolution, use [`Path::canonicalize`] (which does access the filesystem).
35//!
36//! ## Simple usage
37//!
38//! Path manipulation includes both parsing components from slices and building
39//! new owned paths.
40//!
41//! To parse a path, you can create a [`Path`] slice from a [`str`]
42//! slice and start asking questions:
43//!
44//! ```
45//! use std::path::Path;
46//! use std::ffi::OsStr;
47//!
48//! let path = Path::new("/tmp/foo/bar.txt");
49//!
50//! let parent = path.parent();
51//! assert_eq!(parent, Some(Path::new("/tmp/foo")));
52//!
53//! let file_stem = path.file_stem();
54//! assert_eq!(file_stem, Some(OsStr::new("bar")));
55//!
56//! let extension = path.extension();
57//! assert_eq!(extension, Some(OsStr::new("txt")));
58//! ```
59//!
60//! To build or modify paths, use [`PathBuf`]:
61//!
62//! ```
63//! use std::path::PathBuf;
64//!
65//! // This way works...
66//! let mut path = PathBuf::from("c:\\");
67//!
68//! path.push("windows");
69//! path.push("system32");
70//!
71//! path.set_extension("dll");
72//!
73//! // ... but push is best used if you don't know everything up
74//! // front. If you do, this way is better:
75//! let path: PathBuf = ["c:\\", "windows", "system32.dll"].iter().collect();
76//! ```
77//!
78//! [`components`]: Path::components
79//! [`push`]: PathBuf::push
80
81#![stable(feature = "rust1", since = "1.0.0")]
82#![deny(unsafe_op_in_unsafe_fn)]
83
84use core::clone::CloneToUninit;
85
86use crate::borrow::{Borrow, Cow};
87use crate::collections::TryReserveError;
88use crate::error::Error;
89use crate::ffi::{OsStr, OsString, os_str};
90use crate::hash::{Hash, Hasher};
91use crate::iter::FusedIterator;
92use crate::ops::{self, Deref};
93use crate::rc::Rc;
94use crate::str::FromStr;
95use crate::sync::Arc;
96use crate::sys::path::{HAS_PREFIXES, is_sep_byte, is_verbatim_sep, parse_prefix};
97use crate::{cmp, fmt, fs, io, sys};
98
99////////////////////////////////////////////////////////////////////////////////
100// GENERAL NOTES
101////////////////////////////////////////////////////////////////////////////////
102//
103// Parsing in this module is done by directly transmuting OsStr to [u8] slices,
104// taking advantage of the fact that OsStr always encodes ASCII characters
105// as-is.  Eventually, this transmutation should be replaced by direct uses of
106// OsStr APIs for parsing, but it will take a while for those to become
107// available.
108
109////////////////////////////////////////////////////////////////////////////////
110// Windows Prefixes
111////////////////////////////////////////////////////////////////////////////////
112
113/// Windows path prefixes, e.g., `C:` or `\\server\share`.
114///
115/// Windows uses a variety of path prefix styles, including references to drive
116/// volumes (like `C:`), network shared folders (like `\\server\share`), and
117/// others. In addition, some path prefixes are "verbatim" (i.e., prefixed with
118/// `\\?\`), in which case `/` is *not* treated as a separator and essentially
119/// no normalization is performed.
120///
121/// # Examples
122///
123/// ```
124/// use std::path::{Component, Path, Prefix};
125/// use std::path::Prefix::*;
126/// use std::ffi::OsStr;
127///
128/// fn get_path_prefix(s: &str) -> Prefix<'_> {
129///     let path = Path::new(s);
130///     match path.components().next().unwrap() {
131///         Component::Prefix(prefix_component) => prefix_component.kind(),
132///         _ => panic!(),
133///     }
134/// }
135///
136/// # if cfg!(windows) {
137/// assert_eq!(Verbatim(OsStr::new("pictures")),
138///            get_path_prefix(r"\\?\pictures\kittens"));
139/// assert_eq!(VerbatimUNC(OsStr::new("server"), OsStr::new("share")),
140///            get_path_prefix(r"\\?\UNC\server\share"));
141/// assert_eq!(VerbatimDisk(b'C'), get_path_prefix(r"\\?\c:\"));
142/// assert_eq!(DeviceNS(OsStr::new("BrainInterface")),
143///            get_path_prefix(r"\\.\BrainInterface"));
144/// assert_eq!(UNC(OsStr::new("server"), OsStr::new("share")),
145///            get_path_prefix(r"\\server\share"));
146/// assert_eq!(Disk(b'C'), get_path_prefix(r"C:\Users\Rust\Pictures\Ferris"));
147/// # }
148/// ```
149#[derive(Copy, Clone, Debug, Hash, PartialOrd, Ord, PartialEq, Eq)]
150#[stable(feature = "rust1", since = "1.0.0")]
151pub enum Prefix<'a> {
152    /// Verbatim prefix, e.g., `\\?\cat_pics`.
153    ///
154    /// Verbatim prefixes consist of `\\?\` immediately followed by the given
155    /// component.
156    #[stable(feature = "rust1", since = "1.0.0")]
157    Verbatim(#[stable(feature = "rust1", since = "1.0.0")] &'a OsStr),
158
159    /// Verbatim prefix using Windows' _**U**niform **N**aming **C**onvention_,
160    /// e.g., `\\?\UNC\server\share`.
161    ///
162    /// Verbatim UNC prefixes consist of `\\?\UNC\` immediately followed by the
163    /// server's hostname and a share name.
164    #[stable(feature = "rust1", since = "1.0.0")]
165    VerbatimUNC(
166        #[stable(feature = "rust1", since = "1.0.0")] &'a OsStr,
167        #[stable(feature = "rust1", since = "1.0.0")] &'a OsStr,
168    ),
169
170    /// Verbatim disk prefix, e.g., `\\?\C:`.
171    ///
172    /// Verbatim disk prefixes consist of `\\?\` immediately followed by the
173    /// drive letter and `:`.
174    #[stable(feature = "rust1", since = "1.0.0")]
175    VerbatimDisk(#[stable(feature = "rust1", since = "1.0.0")] u8),
176
177    /// Device namespace prefix, e.g., `\\.\COM42`.
178    ///
179    /// Device namespace prefixes consist of `\\.\` (possibly using `/`
180    /// instead of `\`), immediately followed by the device name.
181    #[stable(feature = "rust1", since = "1.0.0")]
182    DeviceNS(#[stable(feature = "rust1", since = "1.0.0")] &'a OsStr),
183
184    /// Prefix using Windows' _**U**niform **N**aming **C**onvention_, e.g.
185    /// `\\server\share`.
186    ///
187    /// UNC prefixes consist of the server's hostname and a share name.
188    #[stable(feature = "rust1", since = "1.0.0")]
189    UNC(
190        #[stable(feature = "rust1", since = "1.0.0")] &'a OsStr,
191        #[stable(feature = "rust1", since = "1.0.0")] &'a OsStr,
192    ),
193
194    /// Prefix `C:` for the given disk drive.
195    #[stable(feature = "rust1", since = "1.0.0")]
196    Disk(#[stable(feature = "rust1", since = "1.0.0")] u8),
197}
198
199impl<'a> Prefix<'a> {
200    #[inline]
201    fn len(&self) -> usize {
202        use self::Prefix::*;
203        fn os_str_len(s: &OsStr) -> usize {
204            s.as_encoded_bytes().len()
205        }
206        match *self {
207            Verbatim(x) => 4 + os_str_len(x),
208            VerbatimUNC(x, y) => {
209                8 + os_str_len(x) + if os_str_len(y) > 0 { 1 + os_str_len(y) } else { 0 }
210            }
211            VerbatimDisk(_) => 6,
212            UNC(x, y) => 2 + os_str_len(x) + if os_str_len(y) > 0 { 1 + os_str_len(y) } else { 0 },
213            DeviceNS(x) => 4 + os_str_len(x),
214            Disk(_) => 2,
215        }
216    }
217
218    /// Determines if the prefix is verbatim, i.e., begins with `\\?\`.
219    ///
220    /// # Examples
221    ///
222    /// ```
223    /// use std::path::Prefix::*;
224    /// use std::ffi::OsStr;
225    ///
226    /// assert!(Verbatim(OsStr::new("pictures")).is_verbatim());
227    /// assert!(VerbatimUNC(OsStr::new("server"), OsStr::new("share")).is_verbatim());
228    /// assert!(VerbatimDisk(b'C').is_verbatim());
229    /// assert!(!DeviceNS(OsStr::new("BrainInterface")).is_verbatim());
230    /// assert!(!UNC(OsStr::new("server"), OsStr::new("share")).is_verbatim());
231    /// assert!(!Disk(b'C').is_verbatim());
232    /// ```
233    #[inline]
234    #[must_use]
235    #[stable(feature = "rust1", since = "1.0.0")]
236    pub fn is_verbatim(&self) -> bool {
237        use self::Prefix::*;
238        matches!(*self, Verbatim(_) | VerbatimDisk(_) | VerbatimUNC(..))
239    }
240
241    #[inline]
242    fn is_drive(&self) -> bool {
243        matches!(*self, Prefix::Disk(_))
244    }
245
246    #[inline]
247    fn has_implicit_root(&self) -> bool {
248        !self.is_drive()
249    }
250}
251
252////////////////////////////////////////////////////////////////////////////////
253// Exposed parsing helpers
254////////////////////////////////////////////////////////////////////////////////
255
256/// Determines whether the character is one of the permitted path
257/// separators for the current platform.
258///
259/// # Examples
260///
261/// ```
262/// use std::path;
263///
264/// assert!(path::is_separator('/')); // '/' works for both Unix and Windows
265/// assert!(!path::is_separator('❤'));
266/// ```
267#[must_use]
268#[stable(feature = "rust1", since = "1.0.0")]
269#[rustc_const_unstable(feature = "const_path_separators", issue = "153106")]
270pub const fn is_separator(c: char) -> bool {
271    c.is_ascii() && is_sep_byte(c as u8)
272}
273
274/// All path separators recognized on the current platform, represented as [`char`]s; for example,
275/// this is `&['/'][..]` on Unix and `&['\\', '/'][..]` on Windows. The [primary
276/// separator](MAIN_SEPARATOR) is always element 0 of the slice.
277#[unstable(feature = "const_path_separators", issue = "153106")]
278pub const SEPARATORS: &[char] = crate::sys::path::SEPARATORS;
279
280/// All path separators recognized on the current platform, represented as [`&str`]s; for example,
281/// this is `&["/"][..]` on Unix and `&["\\", "/"][..]` on Windows. The [primary
282/// separator](MAIN_SEPARATOR_STR) is always element 0 of the slice.
283#[unstable(feature = "const_path_separators", issue = "153106")]
284pub const SEPARATORS_STR: &[&str] = crate::sys::path::SEPARATORS_STR;
285
286/// The primary separator of path components for the current platform, represented as a [`char`];
287/// for example, this is `'/'` on Unix and `'\\'` on Windows.
288#[stable(feature = "rust1", since = "1.0.0")]
289#[cfg_attr(not(test), rustc_diagnostic_item = "path_main_separator")]
290pub const MAIN_SEPARATOR: char = SEPARATORS[0];
291
292/// The primary separator of path components for the current platform, represented as a [`&str`];
293/// for example, this is `"/"` on Unix and `"\\"` on Windows.
294#[stable(feature = "main_separator_str", since = "1.68.0")]
295pub const MAIN_SEPARATOR_STR: &str = SEPARATORS_STR[0];
296
297////////////////////////////////////////////////////////////////////////////////
298// Misc helpers
299////////////////////////////////////////////////////////////////////////////////
300
301// Iterate through `iter` while it matches `prefix`; return `None` if `prefix`
302// is not a prefix of `iter`, otherwise return `Some(iter_after_prefix)` giving
303// `iter` after having exhausted `prefix`.
304fn iter_after<'a, 'b, I, J>(mut iter: I, mut prefix: J) -> Option<I>
305where
306    I: Iterator<Item = Component<'a>> + Clone,
307    J: Iterator<Item = Component<'b>>,
308{
309    loop {
310        let mut iter_next = iter.clone();
311        match (iter_next.next(), prefix.next()) {
312            (Some(ref x), Some(ref y)) if x == y => (),
313            (Some(_), Some(_)) => return None,
314            (Some(_), None) => return Some(iter),
315            (None, None) => return Some(iter),
316            (None, Some(_)) => return None,
317        }
318        iter = iter_next;
319    }
320}
321
322////////////////////////////////////////////////////////////////////////////////
323// Cross-platform, iterator-independent parsing
324////////////////////////////////////////////////////////////////////////////////
325
326/// Says whether the first byte after the prefix is a separator.
327fn has_physical_root(s: &[u8], prefix: Option<Prefix<'_>>) -> bool {
328    let path = if let Some(p) = prefix { &s[p.len()..] } else { s };
329    !path.is_empty() && is_sep_byte(path[0])
330}
331
332// basic workhorse for splitting stem and extension
333fn rsplit_file_at_dot(file: &OsStr) -> (Option<&OsStr>, Option<&OsStr>) {
334    if file.as_encoded_bytes() == b".." {
335        return (Some(file), None);
336    }
337
338    // The unsafety here stems from converting between &OsStr and &[u8]
339    // and back. This is safe to do because (1) we only look at ASCII
340    // contents of the encoding and (2) new &OsStr values are produced
341    // only from ASCII-bounded slices of existing &OsStr values.
342    let mut iter = file.as_encoded_bytes().rsplitn(2, |b| *b == b'.');
343    let after = iter.next();
344    let before = iter.next();
345    if before == Some(b"") {
346        (Some(file), None)
347    } else {
348        unsafe {
349            (
350                before.map(|s| OsStr::from_encoded_bytes_unchecked(s)),
351                after.map(|s| OsStr::from_encoded_bytes_unchecked(s)),
352            )
353        }
354    }
355}
356
357fn split_file_at_dot(file: &OsStr) -> (&OsStr, Option<&OsStr>) {
358    let slice = file.as_encoded_bytes();
359    if slice == b".." {
360        return (file, None);
361    }
362
363    // The unsafety here stems from converting between &OsStr and &[u8]
364    // and back. This is safe to do because (1) we only look at ASCII
365    // contents of the encoding and (2) new &OsStr values are produced
366    // only from ASCII-bounded slices of existing &OsStr values.
367    let i = match slice[1..].iter().position(|b| *b == b'.') {
368        Some(i) => i + 1,
369        None => return (file, None),
370    };
371    let before = &slice[..i];
372    let after = &slice[i + 1..];
373    unsafe {
374        (
375            OsStr::from_encoded_bytes_unchecked(before),
376            Some(OsStr::from_encoded_bytes_unchecked(after)),
377        )
378    }
379}
380
381/// Checks whether the string is valid as a file extension, or panics otherwise.
382fn validate_extension(extension: &OsStr) {
383    for &b in extension.as_encoded_bytes() {
384        if is_sep_byte(b) {
385            panic!("extension cannot contain path separators: {extension:?}");
386        }
387    }
388}
389
390////////////////////////////////////////////////////////////////////////////////
391// The core iterators
392////////////////////////////////////////////////////////////////////////////////
393
394/// Component parsing works by a double-ended state machine; the cursors at the
395/// front and back of the path each keep track of what parts of the path have
396/// been consumed so far.
397///
398/// Going front to back, a path is made up of a prefix, a starting
399/// directory component, and a body (of normal components)
400#[derive(Copy, Clone, PartialEq, PartialOrd, Debug)]
401enum State {
402    Prefix = 0,   // c:
403    StartDir = 1, // / or . or nothing
404    Body = 2,     // foo/bar/baz
405    Done = 3,
406}
407
408/// A structure wrapping a Windows path prefix as well as its unparsed string
409/// representation.
410///
411/// In addition to the parsed [`Prefix`] information returned by [`kind`],
412/// `PrefixComponent` also holds the raw and unparsed [`OsStr`] slice,
413/// returned by [`as_os_str`].
414///
415/// Instances of this `struct` can be obtained by matching against the
416/// [`Prefix` variant] on [`Component`].
417///
418/// Does not occur on Unix.
419///
420/// # Examples
421///
422/// ```
423/// # if cfg!(windows) {
424/// use std::path::{Component, Path, Prefix};
425/// use std::ffi::OsStr;
426///
427/// let path = Path::new(r"c:\you\later\");
428/// match path.components().next().unwrap() {
429///     Component::Prefix(prefix_component) => {
430///         assert_eq!(Prefix::Disk(b'C'), prefix_component.kind());
431///         assert_eq!(OsStr::new("c:"), prefix_component.as_os_str());
432///     }
433///     _ => unreachable!(),
434/// }
435/// # }
436/// ```
437///
438/// [`as_os_str`]: PrefixComponent::as_os_str
439/// [`kind`]: PrefixComponent::kind
440/// [`Prefix` variant]: Component::Prefix
441#[stable(feature = "rust1", since = "1.0.0")]
442#[derive(Copy, Clone, Eq, Debug)]
443pub struct PrefixComponent<'a> {
444    /// The prefix as an unparsed `OsStr` slice.
445    raw: &'a OsStr,
446
447    /// The parsed prefix data.
448    parsed: Prefix<'a>,
449}
450
451impl<'a> PrefixComponent<'a> {
452    /// Returns the parsed prefix data.
453    ///
454    /// See [`Prefix`]'s documentation for more information on the different
455    /// kinds of prefixes.
456    #[stable(feature = "rust1", since = "1.0.0")]
457    #[must_use]
458    #[inline]
459    pub fn kind(&self) -> Prefix<'a> {
460        self.parsed
461    }
462
463    /// Returns the raw [`OsStr`] slice for this prefix.
464    #[stable(feature = "rust1", since = "1.0.0")]
465    #[must_use]
466    #[inline]
467    pub fn as_os_str(&self) -> &'a OsStr {
468        self.raw
469    }
470}
471
472#[stable(feature = "rust1", since = "1.0.0")]
473impl<'a> PartialEq for PrefixComponent<'a> {
474    #[inline]
475    fn eq(&self, other: &PrefixComponent<'a>) -> bool {
476        self.parsed == other.parsed
477    }
478}
479
480#[stable(feature = "rust1", since = "1.0.0")]
481impl<'a> PartialOrd for PrefixComponent<'a> {
482    #[inline]
483    fn partial_cmp(&self, other: &PrefixComponent<'a>) -> Option<cmp::Ordering> {
484        PartialOrd::partial_cmp(&self.parsed, &other.parsed)
485    }
486}
487
488#[stable(feature = "rust1", since = "1.0.0")]
489impl Ord for PrefixComponent<'_> {
490    #[inline]
491    fn cmp(&self, other: &Self) -> cmp::Ordering {
492        Ord::cmp(&self.parsed, &other.parsed)
493    }
494}
495
496#[stable(feature = "rust1", since = "1.0.0")]
497impl Hash for PrefixComponent<'_> {
498    fn hash<H: Hasher>(&self, h: &mut H) {
499        self.parsed.hash(h);
500    }
501}
502
503/// A single component of a path.
504///
505/// A `Component` roughly corresponds to a substring between path separators
506/// (`/` or `\`).
507///
508/// This `enum` is created by iterating over [`Components`], which in turn is
509/// created by the [`components`](Path::components) method on [`Path`].
510///
511/// # Examples
512///
513/// ```rust
514/// use std::path::{Component, Path};
515///
516/// let path = Path::new("/tmp/foo/bar.txt");
517/// let components = path.components().collect::<Vec<_>>();
518/// assert_eq!(&components, &[
519///     Component::RootDir,
520///     Component::Normal("tmp".as_ref()),
521///     Component::Normal("foo".as_ref()),
522///     Component::Normal("bar.txt".as_ref()),
523/// ]);
524/// ```
525#[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash, Debug)]
526#[stable(feature = "rust1", since = "1.0.0")]
527pub enum Component<'a> {
528    /// A Windows path prefix, e.g., `C:` or `\\server\share`.
529    ///
530    /// There is a large variety of prefix types, see [`Prefix`]'s documentation
531    /// for more.
532    ///
533    /// Does not occur on Unix.
534    #[stable(feature = "rust1", since = "1.0.0")]
535    Prefix(#[stable(feature = "rust1", since = "1.0.0")] PrefixComponent<'a>),
536
537    /// The root directory component, appears after any prefix and before anything else.
538    ///
539    /// It represents a separator that designates that a path starts from root.
540    #[stable(feature = "rust1", since = "1.0.0")]
541    RootDir,
542
543    /// A reference to the current directory, i.e., `.`.
544    #[stable(feature = "rust1", since = "1.0.0")]
545    CurDir,
546
547    /// A reference to the parent directory, i.e., `..`.
548    #[stable(feature = "rust1", since = "1.0.0")]
549    ParentDir,
550
551    /// A normal component, e.g., `a` and `b` in `a/b`.
552    ///
553    /// This variant is the most common one, it represents references to files
554    /// or directories.
555    #[stable(feature = "rust1", since = "1.0.0")]
556    Normal(#[stable(feature = "rust1", since = "1.0.0")] &'a OsStr),
557}
558
559impl<'a> Component<'a> {
560    /// Extracts the underlying [`OsStr`] slice.
561    ///
562    /// # Examples
563    ///
564    /// ```
565    /// use std::path::Path;
566    ///
567    /// let path = Path::new("./tmp/foo/bar.txt");
568    /// let components: Vec<_> = path.components().map(|comp| comp.as_os_str()).collect();
569    /// assert_eq!(&components, &[".", "tmp", "foo", "bar.txt"]);
570    /// ```
571    #[must_use = "`self` will be dropped if the result is not used"]
572    #[stable(feature = "rust1", since = "1.0.0")]
573    pub fn as_os_str(self) -> &'a OsStr {
574        match self {
575            Component::Prefix(p) => p.as_os_str(),
576            Component::RootDir => OsStr::new(MAIN_SEPARATOR_STR),
577            Component::CurDir => OsStr::new("."),
578            Component::ParentDir => OsStr::new(".."),
579            Component::Normal(path) => path,
580        }
581    }
582}
583
584#[stable(feature = "rust1", since = "1.0.0")]
585impl AsRef<OsStr> for Component<'_> {
586    #[inline]
587    fn as_ref(&self) -> &OsStr {
588        self.as_os_str()
589    }
590}
591
592#[stable(feature = "path_component_asref", since = "1.25.0")]
593impl AsRef<Path> for Component<'_> {
594    #[inline]
595    fn as_ref(&self) -> &Path {
596        self.as_os_str().as_ref()
597    }
598}
599
600/// An iterator over the [`Component`]s of a [`Path`].
601///
602/// This `struct` is created by the [`components`] method on [`Path`].
603/// See its documentation for more.
604///
605/// # Examples
606///
607/// ```
608/// use std::path::Path;
609///
610/// let path = Path::new("/tmp/foo/bar.txt");
611///
612/// for component in path.components() {
613///     println!("{component:?}");
614/// }
615/// ```
616///
617/// [`components`]: Path::components
618#[derive(Clone)]
619#[must_use = "iterators are lazy and do nothing unless consumed"]
620#[stable(feature = "rust1", since = "1.0.0")]
621pub struct Components<'a> {
622    // The path left to parse components from
623    path: &'a [u8],
624
625    // The prefix as it was originally parsed, if any
626    prefix: Option<Prefix<'a>>,
627
628    // true if path *physically* has a root separator; for most Windows
629    // prefixes, it may have a "logical" root separator for the purposes of
630    // normalization, e.g., \\server\share == \\server\share\.
631    has_physical_root: bool,
632
633    // The iterator is double-ended, and these two states keep track of what has
634    // been produced from either end
635    front: State,
636    back: State,
637}
638
639/// An iterator over the [`Component`]s of a [`Path`], as [`OsStr`] slices.
640///
641/// This `struct` is created by the [`iter`] method on [`Path`].
642/// See its documentation for more.
643///
644/// [`iter`]: Path::iter
645#[derive(Clone)]
646#[must_use = "iterators are lazy and do nothing unless consumed"]
647#[stable(feature = "rust1", since = "1.0.0")]
648pub struct Iter<'a> {
649    inner: Components<'a>,
650}
651
652#[stable(feature = "path_components_debug", since = "1.13.0")]
653impl fmt::Debug for Components<'_> {
654    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
655        struct DebugHelper<'a>(&'a Path);
656
657        impl fmt::Debug for DebugHelper<'_> {
658            fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
659                f.debug_list().entries(self.0.components()).finish()
660            }
661        }
662
663        f.debug_tuple("Components").field(&DebugHelper(self.as_path())).finish()
664    }
665}
666
667impl<'a> Components<'a> {
668    // how long is the prefix, if any?
669    #[inline]
670    fn prefix_len(&self) -> usize {
671        if !HAS_PREFIXES {
672            return 0;
673        }
674        self.prefix.as_ref().map(Prefix::len).unwrap_or(0)
675    }
676
677    #[inline]
678    fn prefix_verbatim(&self) -> bool {
679        if !HAS_PREFIXES {
680            return false;
681        }
682        self.prefix.as_ref().map(Prefix::is_verbatim).unwrap_or(false)
683    }
684
685    /// how much of the prefix is left from the point of view of iteration?
686    #[inline]
687    fn prefix_remaining(&self) -> usize {
688        if !HAS_PREFIXES {
689            return 0;
690        }
691        if self.front == State::Prefix { self.prefix_len() } else { 0 }
692    }
693
694    // Given the iteration so far, how much of the pre-State::Body path is left?
695    #[inline]
696    fn len_before_body(&self) -> usize {
697        let root = if self.front <= State::StartDir && self.has_physical_root { 1 } else { 0 };
698        let cur_dir = if self.front <= State::StartDir && self.include_cur_dir() { 1 } else { 0 };
699        self.prefix_remaining() + root + cur_dir
700    }
701
702    // is the iteration complete?
703    #[inline]
704    fn finished(&self) -> bool {
705        self.front == State::Done || self.back == State::Done || self.front > self.back
706    }
707
708    #[inline]
709    fn is_sep_byte(&self, b: u8) -> bool {
710        if self.prefix_verbatim() { is_verbatim_sep(b) } else { is_sep_byte(b) }
711    }
712
713    /// Extracts a slice corresponding to the portion of the path remaining for iteration.
714    ///
715    /// # Examples
716    ///
717    /// ```
718    /// use std::path::Path;
719    ///
720    /// let mut components = Path::new("/tmp/foo/bar.txt").components();
721    /// components.next();
722    /// components.next();
723    ///
724    /// assert_eq!(Path::new("foo/bar.txt"), components.as_path());
725    /// ```
726    #[must_use]
727    #[stable(feature = "rust1", since = "1.0.0")]
728    pub fn as_path(&self) -> &'a Path {
729        let mut comps = self.clone();
730        if comps.front == State::Body {
731            comps.trim_left();
732        }
733        if comps.back == State::Body {
734            comps.trim_right();
735        }
736        unsafe { Path::from_u8_slice(comps.path) }
737    }
738
739    /// Is the *original* path rooted?
740    fn has_root(&self) -> bool {
741        if self.has_physical_root {
742            return true;
743        }
744        if HAS_PREFIXES && let Some(p) = self.prefix {
745            if p.has_implicit_root() {
746                return true;
747            }
748        }
749        false
750    }
751
752    /// Should the normalized path include a leading . ?
753    fn include_cur_dir(&self) -> bool {
754        if self.has_root() {
755            return false;
756        }
757        let slice = &self.path[self.prefix_remaining()..];
758        match slice {
759            [b'.'] => true,
760            [b'.', b, ..] => self.is_sep_byte(*b),
761            _ => false,
762        }
763    }
764
765    // parse a given byte sequence following the OsStr encoding into the
766    // corresponding path component
767    unsafe fn parse_single_component<'b>(&self, comp: &'b [u8]) -> Option<Component<'b>> {
768        match comp {
769            b"." if HAS_PREFIXES && self.prefix_verbatim() => Some(Component::CurDir),
770            b"." => None, // . components are normalized away, except at
771            // the beginning of a path, which is treated
772            // separately via `include_cur_dir`
773            b".." => Some(Component::ParentDir),
774            b"" => None,
775            _ => Some(Component::Normal(unsafe { OsStr::from_encoded_bytes_unchecked(comp) })),
776        }
777    }
778
779    // parse a component from the left, saying how many bytes to consume to
780    // remove the component
781    fn parse_next_component(&self) -> (usize, Option<Component<'a>>) {
782        debug_assert!(self.front == State::Body);
783        let (extra, comp) = match self.path.iter().position(|b| self.is_sep_byte(*b)) {
784            None => (0, self.path),
785            Some(i) => (1, &self.path[..i]),
786        };
787        // SAFETY: `comp` is a valid substring, since it is split on a separator.
788        (comp.len() + extra, unsafe { self.parse_single_component(comp) })
789    }
790
791    // parse a component from the right, saying how many bytes to consume to
792    // remove the component
793    fn parse_next_component_back(&self) -> (usize, Option<Component<'a>>) {
794        debug_assert!(self.back == State::Body);
795        let start = self.len_before_body();
796        let (extra, comp) = match self.path[start..].iter().rposition(|b| self.is_sep_byte(*b)) {
797            None => (0, &self.path[start..]),
798            Some(i) => (1, &self.path[start + i + 1..]),
799        };
800        // SAFETY: `comp` is a valid substring, since it is split on a separator.
801        (comp.len() + extra, unsafe { self.parse_single_component(comp) })
802    }
803
804    // trim away repeated separators (i.e., empty components) on the left
805    fn trim_left(&mut self) {
806        while !self.path.is_empty() {
807            let (size, comp) = self.parse_next_component();
808            if comp.is_some() {
809                return;
810            } else {
811                self.path = &self.path[size..];
812            }
813        }
814    }
815
816    // trim away repeated separators (i.e., empty components) on the right
817    fn trim_right(&mut self) {
818        while self.path.len() > self.len_before_body() {
819            let (size, comp) = self.parse_next_component_back();
820            if comp.is_some() {
821                return;
822            } else {
823                self.path = &self.path[..self.path.len() - size];
824            }
825        }
826    }
827}
828
829#[stable(feature = "rust1", since = "1.0.0")]
830impl AsRef<Path> for Components<'_> {
831    #[inline]
832    fn as_ref(&self) -> &Path {
833        self.as_path()
834    }
835}
836
837#[stable(feature = "rust1", since = "1.0.0")]
838impl AsRef<OsStr> for Components<'_> {
839    #[inline]
840    fn as_ref(&self) -> &OsStr {
841        self.as_path().as_os_str()
842    }
843}
844
845#[stable(feature = "path_iter_debug", since = "1.13.0")]
846impl fmt::Debug for Iter<'_> {
847    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
848        struct DebugHelper<'a>(&'a Path);
849
850        impl fmt::Debug for DebugHelper<'_> {
851            fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
852                f.debug_list().entries(self.0.iter()).finish()
853            }
854        }
855
856        f.debug_tuple("Iter").field(&DebugHelper(self.as_path())).finish()
857    }
858}
859
860impl<'a> Iter<'a> {
861    /// Extracts a slice corresponding to the portion of the path remaining for iteration.
862    ///
863    /// # Examples
864    ///
865    /// ```
866    /// use std::path::Path;
867    ///
868    /// let mut iter = Path::new("/tmp/foo/bar.txt").iter();
869    /// iter.next();
870    /// iter.next();
871    ///
872    /// assert_eq!(Path::new("foo/bar.txt"), iter.as_path());
873    /// ```
874    #[stable(feature = "rust1", since = "1.0.0")]
875    #[must_use]
876    #[inline]
877    pub fn as_path(&self) -> &'a Path {
878        self.inner.as_path()
879    }
880}
881
882#[stable(feature = "rust1", since = "1.0.0")]
883impl AsRef<Path> for Iter<'_> {
884    #[inline]
885    fn as_ref(&self) -> &Path {
886        self.as_path()
887    }
888}
889
890#[stable(feature = "rust1", since = "1.0.0")]
891impl AsRef<OsStr> for Iter<'_> {
892    #[inline]
893    fn as_ref(&self) -> &OsStr {
894        self.as_path().as_os_str()
895    }
896}
897
898#[stable(feature = "rust1", since = "1.0.0")]
899impl<'a> Iterator for Iter<'a> {
900    type Item = &'a OsStr;
901
902    #[inline]
903    fn next(&mut self) -> Option<&'a OsStr> {
904        self.inner.next().map(Component::as_os_str)
905    }
906}
907
908#[stable(feature = "rust1", since = "1.0.0")]
909impl<'a> DoubleEndedIterator for Iter<'a> {
910    #[inline]
911    fn next_back(&mut self) -> Option<&'a OsStr> {
912        self.inner.next_back().map(Component::as_os_str)
913    }
914}
915
916#[stable(feature = "fused", since = "1.26.0")]
917impl FusedIterator for Iter<'_> {}
918
919#[stable(feature = "rust1", since = "1.0.0")]
920impl<'a> Iterator for Components<'a> {
921    type Item = Component<'a>;
922
923    fn next(&mut self) -> Option<Component<'a>> {
924        while !self.finished() {
925            match self.front {
926                // most likely case first
927                State::Body if !self.path.is_empty() => {
928                    let (size, comp) = self.parse_next_component();
929                    self.path = &self.path[size..];
930                    if comp.is_some() {
931                        return comp;
932                    }
933                }
934                State::Body => {
935                    self.front = State::Done;
936                }
937                State::StartDir => {
938                    self.front = State::Body;
939                    if self.has_physical_root {
940                        debug_assert!(!self.path.is_empty());
941                        self.path = &self.path[1..];
942                        return Some(Component::RootDir);
943                    } else if HAS_PREFIXES && let Some(p) = self.prefix {
944                        if p.has_implicit_root() && !p.is_verbatim() {
945                            return Some(Component::RootDir);
946                        }
947                    } else if self.include_cur_dir() {
948                        debug_assert!(!self.path.is_empty());
949                        self.path = &self.path[1..];
950                        return Some(Component::CurDir);
951                    }
952                }
953                _ if const { !HAS_PREFIXES } => unreachable!(),
954                State::Prefix if self.prefix_len() == 0 => {
955                    self.front = State::StartDir;
956                }
957                State::Prefix => {
958                    self.front = State::StartDir;
959                    debug_assert!(self.prefix_len() <= self.path.len());
960                    let raw = &self.path[..self.prefix_len()];
961                    self.path = &self.path[self.prefix_len()..];
962                    return Some(Component::Prefix(PrefixComponent {
963                        raw: unsafe { OsStr::from_encoded_bytes_unchecked(raw) },
964                        parsed: self.prefix.unwrap(),
965                    }));
966                }
967                State::Done => unreachable!(),
968            }
969        }
970        None
971    }
972}
973
974#[stable(feature = "rust1", since = "1.0.0")]
975impl<'a> DoubleEndedIterator for Components<'a> {
976    fn next_back(&mut self) -> Option<Component<'a>> {
977        while !self.finished() {
978            match self.back {
979                State::Body if self.path.len() > self.len_before_body() => {
980                    let (size, comp) = self.parse_next_component_back();
981                    self.path = &self.path[..self.path.len() - size];
982                    if comp.is_some() {
983                        return comp;
984                    }
985                }
986                State::Body => {
987                    self.back = State::StartDir;
988                }
989                State::StartDir => {
990                    self.back = if HAS_PREFIXES { State::Prefix } else { State::Done };
991                    if self.has_physical_root {
992                        self.path = &self.path[..self.path.len() - 1];
993                        return Some(Component::RootDir);
994                    } else if HAS_PREFIXES && let Some(p) = self.prefix {
995                        if p.has_implicit_root() && !p.is_verbatim() {
996                            return Some(Component::RootDir);
997                        }
998                    } else if self.include_cur_dir() {
999                        self.path = &self.path[..self.path.len() - 1];
1000                        return Some(Component::CurDir);
1001                    }
1002                }
1003                _ if !HAS_PREFIXES => unreachable!(),
1004                State::Prefix if self.prefix_len() > 0 => {
1005                    self.back = State::Done;
1006                    return Some(Component::Prefix(PrefixComponent {
1007                        raw: unsafe { OsStr::from_encoded_bytes_unchecked(self.path) },
1008                        parsed: self.prefix.unwrap(),
1009                    }));
1010                }
1011                State::Prefix => {
1012                    self.back = State::Done;
1013                    return None;
1014                }
1015                State::Done => unreachable!(),
1016            }
1017        }
1018        None
1019    }
1020}
1021
1022#[stable(feature = "fused", since = "1.26.0")]
1023impl FusedIterator for Components<'_> {}
1024
1025#[stable(feature = "rust1", since = "1.0.0")]
1026impl<'a> PartialEq for Components<'a> {
1027    #[inline]
1028    fn eq(&self, other: &Components<'a>) -> bool {
1029        let Components { path: _, front: _, back: _, has_physical_root: _, prefix: _ } = self;
1030
1031        // Fast path for exact matches, e.g. for hashmap lookups.
1032        // Don't explicitly compare the prefix or has_physical_root fields since they'll
1033        // either be covered by the `path` buffer or are only relevant for `prefix_verbatim()`.
1034        if self.path.len() == other.path.len()
1035            && self.front == other.front
1036            && self.back == State::Body
1037            && other.back == State::Body
1038            && self.prefix_verbatim() == other.prefix_verbatim()
1039        {
1040            // possible future improvement: this could bail out earlier if there were a
1041            // reverse memcmp/bcmp comparing back to front
1042            if self.path == other.path {
1043                return true;
1044            }
1045        }
1046
1047        // compare back to front since absolute paths often share long prefixes
1048        Iterator::eq(self.clone().rev(), other.clone().rev())
1049    }
1050}
1051
1052#[stable(feature = "rust1", since = "1.0.0")]
1053impl Eq for Components<'_> {}
1054
1055#[stable(feature = "rust1", since = "1.0.0")]
1056impl<'a> PartialOrd for Components<'a> {
1057    #[inline]
1058    fn partial_cmp(&self, other: &Components<'a>) -> Option<cmp::Ordering> {
1059        Some(compare_components(self.clone(), other.clone()))
1060    }
1061}
1062
1063#[stable(feature = "rust1", since = "1.0.0")]
1064impl Ord for Components<'_> {
1065    #[inline]
1066    fn cmp(&self, other: &Self) -> cmp::Ordering {
1067        compare_components(self.clone(), other.clone())
1068    }
1069}
1070
1071fn compare_components(mut left: Components<'_>, mut right: Components<'_>) -> cmp::Ordering {
1072    // Fast path for long shared prefixes
1073    //
1074    // - compare raw bytes to find first mismatch
1075    // - backtrack to find separator before mismatch to avoid ambiguous parsings of '.' or '..' characters
1076    // - if found update state to only do a component-wise comparison on the remainder,
1077    //   otherwise do it on the full path
1078    //
1079    // The fast path isn't taken for paths with a PrefixComponent to avoid backtracking into
1080    // the middle of one
1081    if left.prefix.is_none() && right.prefix.is_none() && left.front == right.front {
1082        // possible future improvement: a [u8]::first_mismatch simd implementation
1083        let first_difference = match left.path.iter().zip(right.path).position(|(&a, &b)| a != b) {
1084            None if left.path.len() == right.path.len() => return cmp::Ordering::Equal,
1085            None => left.path.len().min(right.path.len()),
1086            Some(diff) => diff,
1087        };
1088
1089        if let Some(previous_sep) =
1090            left.path[..first_difference].iter().rposition(|&b| left.is_sep_byte(b))
1091        {
1092            let mismatched_component_start = previous_sep + 1;
1093            left.path = &left.path[mismatched_component_start..];
1094            left.front = State::Body;
1095            right.path = &right.path[mismatched_component_start..];
1096            right.front = State::Body;
1097        }
1098    }
1099
1100    Iterator::cmp(left, right)
1101}
1102
1103/// An iterator over [`Path`] and its ancestors.
1104///
1105/// This `struct` is created by the [`ancestors`] method on [`Path`].
1106/// See its documentation for more.
1107///
1108/// # Examples
1109///
1110/// ```
1111/// use std::path::Path;
1112///
1113/// let path = Path::new("/foo/bar");
1114///
1115/// for ancestor in path.ancestors() {
1116///     println!("{}", ancestor.display());
1117/// }
1118/// ```
1119///
1120/// [`ancestors`]: Path::ancestors
1121#[derive(Copy, Clone, Debug)]
1122#[must_use = "iterators are lazy and do nothing unless consumed"]
1123#[stable(feature = "path_ancestors", since = "1.28.0")]
1124pub struct Ancestors<'a> {
1125    next: Option<&'a Path>,
1126}
1127
1128#[stable(feature = "path_ancestors", since = "1.28.0")]
1129impl<'a> Iterator for Ancestors<'a> {
1130    type Item = &'a Path;
1131
1132    #[inline]
1133    fn next(&mut self) -> Option<Self::Item> {
1134        let next = self.next;
1135        self.next = next.and_then(Path::parent);
1136        next
1137    }
1138}
1139
1140#[stable(feature = "path_ancestors", since = "1.28.0")]
1141impl FusedIterator for Ancestors<'_> {}
1142
1143////////////////////////////////////////////////////////////////////////////////
1144// Basic types and traits
1145////////////////////////////////////////////////////////////////////////////////
1146
1147/// An owned, mutable path (akin to [`String`]).
1148///
1149/// This type provides methods like [`push`] and [`set_extension`] that mutate
1150/// the path in place. It also implements [`Deref`] to [`Path`], meaning that
1151/// all methods on [`Path`] slices are available on `PathBuf` values as well.
1152///
1153/// [`push`]: PathBuf::push
1154/// [`set_extension`]: PathBuf::set_extension
1155///
1156/// More details about the overall approach can be found in
1157/// the [module documentation](self).
1158///
1159/// # Examples
1160///
1161/// You can use [`push`] to build up a `PathBuf` from
1162/// components:
1163///
1164/// ```
1165/// use std::path::PathBuf;
1166///
1167/// let mut path = PathBuf::new();
1168///
1169/// path.push(r"C:\");
1170/// path.push("windows");
1171/// path.push("system32");
1172///
1173/// path.set_extension("dll");
1174/// ```
1175///
1176/// However, [`push`] is best used for dynamic situations. This is a better way
1177/// to do this when you know all of the components ahead of time:
1178///
1179/// ```
1180/// use std::path::PathBuf;
1181///
1182/// let path: PathBuf = [r"C:\", "windows", "system32.dll"].iter().collect();
1183/// ```
1184///
1185/// We can still do better than this! Since these are all strings, we can use
1186/// `From::from`:
1187///
1188/// ```
1189/// use std::path::PathBuf;
1190///
1191/// let path = PathBuf::from(r"C:\windows\system32.dll");
1192/// ```
1193///
1194/// Which method works best depends on what kind of situation you're in.
1195///
1196/// Note that `PathBuf` does not always sanitize arguments, for example
1197/// [`push`] allows paths built from strings which include separators:
1198///
1199/// ```
1200/// use std::path::PathBuf;
1201///
1202/// let mut path = PathBuf::new();
1203///
1204/// path.push(r"C:\");
1205/// path.push("windows");
1206/// path.push(r"..\otherdir");
1207/// path.push("system32");
1208/// ```
1209///
1210/// The behavior of `PathBuf` may be changed to a panic on such inputs
1211/// in the future. [`Extend::extend`] should be used to add multi-part paths.
1212#[cfg_attr(not(test), rustc_diagnostic_item = "PathBuf")]
1213#[stable(feature = "rust1", since = "1.0.0")]
1214pub struct PathBuf {
1215    inner: OsString,
1216}
1217
1218impl PathBuf {
1219    /// Allocates an empty `PathBuf`.
1220    ///
1221    /// # Examples
1222    ///
1223    /// ```
1224    /// use std::path::PathBuf;
1225    ///
1226    /// let path = PathBuf::new();
1227    /// ```
1228    #[stable(feature = "rust1", since = "1.0.0")]
1229    #[must_use]
1230    #[inline]
1231    #[rustc_const_stable(feature = "const_pathbuf_osstring_new", since = "1.91.0")]
1232    pub const fn new() -> PathBuf {
1233        PathBuf { inner: OsString::new() }
1234    }
1235
1236    /// Creates a new `PathBuf` with a given capacity used to create the
1237    /// internal [`OsString`]. See [`with_capacity`] defined on [`OsString`].
1238    ///
1239    /// # Examples
1240    ///
1241    /// ```
1242    /// use std::path::PathBuf;
1243    ///
1244    /// let mut path = PathBuf::with_capacity(10);
1245    /// let capacity = path.capacity();
1246    ///
1247    /// // This push is done without reallocating
1248    /// path.push(r"C:\");
1249    ///
1250    /// assert_eq!(capacity, path.capacity());
1251    /// ```
1252    ///
1253    /// [`with_capacity`]: OsString::with_capacity
1254    #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1255    #[must_use]
1256    #[inline]
1257    pub fn with_capacity(capacity: usize) -> PathBuf {
1258        PathBuf { inner: OsString::with_capacity(capacity) }
1259    }
1260
1261    /// Coerces to a [`Path`] slice.
1262    ///
1263    /// # Examples
1264    ///
1265    /// ```
1266    /// use std::path::{Path, PathBuf};
1267    ///
1268    /// let p = PathBuf::from("/test");
1269    /// assert_eq!(Path::new("/test"), p.as_path());
1270    /// ```
1271    #[cfg_attr(not(test), rustc_diagnostic_item = "pathbuf_as_path")]
1272    #[stable(feature = "rust1", since = "1.0.0")]
1273    #[must_use]
1274    #[inline]
1275    pub fn as_path(&self) -> &Path {
1276        self
1277    }
1278
1279    /// Consumes and leaks the `PathBuf`, returning a mutable reference to the contents,
1280    /// `&'a mut Path`.
1281    ///
1282    /// The caller has free choice over the returned lifetime, including 'static.
1283    /// Indeed, this function is ideally used for data that lives for the remainder of
1284    /// the program's life, as dropping the returned reference will cause a memory leak.
1285    ///
1286    /// It does not reallocate or shrink the `PathBuf`, so the leaked allocation may include
1287    /// unused capacity that is not part of the returned slice. If you want to discard excess
1288    /// capacity, call [`into_boxed_path`], and then [`Box::leak`] instead.
1289    /// However, keep in mind that trimming the capacity may result in a reallocation and copy.
1290    ///
1291    /// [`into_boxed_path`]: Self::into_boxed_path
1292    #[stable(feature = "os_string_pathbuf_leak", since = "1.89.0")]
1293    #[inline]
1294    pub fn leak<'a>(self) -> &'a mut Path {
1295        Path::from_inner_mut(self.inner.leak())
1296    }
1297
1298    /// Extends `self` with `path`.
1299    ///
1300    /// If `path` is absolute, it replaces the current path.
1301    ///
1302    /// On Windows:
1303    ///
1304    /// * if `path` has a root but no prefix (e.g., `\windows`), it
1305    ///   replaces everything except for the prefix (if any) of `self`.
1306    /// * if `path` has a prefix but no root, it replaces `self`.
1307    /// * if `self` has a verbatim prefix (e.g. `\\?\C:\windows`)
1308    ///   and `path` is not empty, the new path is normalized: all references
1309    ///   to `.` and `..` are removed.
1310    ///
1311    /// Consider using [`Path::join`] if you need a new `PathBuf` instead of
1312    /// using this function on a cloned `PathBuf`.
1313    ///
1314    /// # Examples
1315    ///
1316    /// Pushing a relative path extends the existing path:
1317    ///
1318    /// ```
1319    /// use std::path::PathBuf;
1320    ///
1321    /// let mut path = PathBuf::from("/tmp");
1322    /// path.push("file.bk");
1323    /// assert_eq!(path, PathBuf::from("/tmp/file.bk"));
1324    /// ```
1325    ///
1326    /// Pushing an absolute path replaces the existing path:
1327    ///
1328    /// ```
1329    /// use std::path::PathBuf;
1330    ///
1331    /// let mut path = PathBuf::from("/tmp");
1332    /// path.push("/etc");
1333    /// assert_eq!(path, PathBuf::from("/etc"));
1334    /// ```
1335    #[stable(feature = "rust1", since = "1.0.0")]
1336    #[rustc_confusables("append", "put")]
1337    pub fn push<P: AsRef<Path>>(&mut self, path: P) {
1338        self._push(path.as_ref())
1339    }
1340
1341    fn _push(&mut self, path: &Path) {
1342        // in general, a separator is needed if the rightmost byte is not a separator
1343        let buf = self.inner.as_encoded_bytes();
1344        let mut need_sep = buf.last().map(|c| !is_sep_byte(*c)).unwrap_or(false);
1345
1346        // in the special case of `C:` on Windows, do *not* add a separator
1347        let comps = self.components();
1348
1349        if comps.prefix_len() > 0
1350            && comps.prefix_len() == comps.path.len()
1351            && comps.prefix.unwrap().is_drive()
1352        {
1353            need_sep = false
1354        }
1355
1356        let need_clear = if cfg!(target_os = "cygwin") {
1357            // If path is absolute and its prefix is none, it is like `/foo`,
1358            // and will be handled below.
1359            path.prefix().is_some()
1360        } else {
1361            // On Unix: prefix is always None.
1362            path.is_absolute() || path.prefix().is_some()
1363        };
1364
1365        // absolute `path` replaces `self`
1366        if need_clear {
1367            self.inner.clear();
1368
1369        // verbatim paths need . and .. removed
1370        } else if comps.prefix_verbatim() && !path.inner.is_empty() {
1371            let mut buf: Vec<_> = comps.collect();
1372            for c in path.components() {
1373                match c {
1374                    Component::RootDir => {
1375                        buf.truncate(1);
1376                        buf.push(c);
1377                    }
1378                    Component::CurDir => (),
1379                    Component::ParentDir => {
1380                        if let Some(Component::Normal(_)) = buf.last() {
1381                            buf.pop();
1382                        }
1383                    }
1384                    _ => buf.push(c),
1385                }
1386            }
1387
1388            let mut res = OsString::new();
1389            let mut need_sep = false;
1390
1391            for c in buf {
1392                if need_sep && c != Component::RootDir {
1393                    res.push(MAIN_SEPARATOR_STR);
1394                }
1395                res.push(c.as_os_str());
1396
1397                need_sep = match c {
1398                    Component::RootDir => false,
1399                    Component::Prefix(prefix) => {
1400                        !prefix.parsed.is_drive() && prefix.parsed.len() > 0
1401                    }
1402                    _ => true,
1403                }
1404            }
1405
1406            self.inner = res;
1407            return;
1408
1409        // `path` has a root but no prefix, e.g., `\windows` (Windows only)
1410        } else if path.has_root() {
1411            let prefix_len = self.components().prefix_remaining();
1412            self.inner.truncate(prefix_len);
1413
1414        // `path` is a pure relative path
1415        } else if need_sep {
1416            self.inner.push(MAIN_SEPARATOR_STR);
1417        }
1418
1419        self.inner.push(path);
1420    }
1421
1422    /// Truncates `self` to [`self.parent`].
1423    ///
1424    /// Returns `false` and does nothing if [`self.parent`] is [`None`].
1425    /// Otherwise, returns `true`.
1426    ///
1427    /// [`self.parent`]: Path::parent
1428    ///
1429    /// # Examples
1430    ///
1431    /// ```
1432    /// use std::path::{Path, PathBuf};
1433    ///
1434    /// let mut p = PathBuf::from("/spirited/away.rs");
1435    ///
1436    /// p.pop();
1437    /// assert_eq!(Path::new("/spirited"), p);
1438    /// p.pop();
1439    /// assert_eq!(Path::new("/"), p);
1440    /// ```
1441    #[stable(feature = "rust1", since = "1.0.0")]
1442    pub fn pop(&mut self) -> bool {
1443        match self.parent().map(|p| p.as_u8_slice().len()) {
1444            Some(len) => {
1445                self.inner.truncate(len);
1446                true
1447            }
1448            None => false,
1449        }
1450    }
1451
1452    /// Sets whether the path has a trailing [separator](MAIN_SEPARATOR).
1453    ///
1454    /// The value returned by [`has_trailing_sep`](Path::has_trailing_sep) will be equivalent to
1455    /// the provided value if possible.
1456    ///
1457    /// # Examples
1458    ///
1459    /// ```
1460    /// #![feature(path_trailing_sep)]
1461    /// use std::path::PathBuf;
1462    ///
1463    /// let mut p = PathBuf::from("dir");
1464    ///
1465    /// assert!(!p.has_trailing_sep());
1466    /// p.set_trailing_sep(false);
1467    /// assert!(!p.has_trailing_sep());
1468    /// p.set_trailing_sep(true);
1469    /// assert!(p.has_trailing_sep());
1470    /// p.set_trailing_sep(false);
1471    /// assert!(!p.has_trailing_sep());
1472    ///
1473    /// p = PathBuf::from("/");
1474    /// assert!(p.has_trailing_sep());
1475    /// p.set_trailing_sep(false);
1476    /// assert!(p.has_trailing_sep());
1477    /// ```
1478    #[unstable(feature = "path_trailing_sep", issue = "142503")]
1479    pub fn set_trailing_sep(&mut self, trailing_sep: bool) {
1480        if trailing_sep { self.push_trailing_sep() } else { self.pop_trailing_sep() }
1481    }
1482
1483    /// Adds a trailing [separator](MAIN_SEPARATOR) to the path.
1484    ///
1485    /// This acts similarly to [`Path::with_trailing_sep`], but mutates the underlying `PathBuf`.
1486    ///
1487    /// # Examples
1488    ///
1489    /// ```
1490    /// #![feature(path_trailing_sep)]
1491    /// use std::ffi::OsStr;
1492    /// use std::path::PathBuf;
1493    ///
1494    /// let mut p = PathBuf::from("dir");
1495    ///
1496    /// assert!(!p.has_trailing_sep());
1497    /// p.push_trailing_sep();
1498    /// assert!(p.has_trailing_sep());
1499    /// p.push_trailing_sep();
1500    /// assert!(p.has_trailing_sep());
1501    ///
1502    /// p = PathBuf::from("dir/");
1503    /// p.push_trailing_sep();
1504    /// assert_eq!(p.as_os_str(), OsStr::new("dir/"));
1505    /// ```
1506    #[unstable(feature = "path_trailing_sep", issue = "142503")]
1507    pub fn push_trailing_sep(&mut self) {
1508        if !self.has_trailing_sep() {
1509            self.push("");
1510        }
1511    }
1512
1513    /// Removes a trailing [separator](MAIN_SEPARATOR) from the path, if possible.
1514    ///
1515    /// This acts similarly to [`Path::trim_trailing_sep`], but mutates the underlying `PathBuf`.
1516    ///
1517    /// # Examples
1518    ///
1519    /// ```
1520    /// #![feature(path_trailing_sep)]
1521    /// use std::ffi::OsStr;
1522    /// use std::path::PathBuf;
1523    ///
1524    /// let mut p = PathBuf::from("dir//");
1525    ///
1526    /// assert!(p.has_trailing_sep());
1527    /// assert_eq!(p.as_os_str(), OsStr::new("dir//"));
1528    /// p.pop_trailing_sep();
1529    /// assert!(!p.has_trailing_sep());
1530    /// assert_eq!(p.as_os_str(), OsStr::new("dir"));
1531    /// p.pop_trailing_sep();
1532    /// assert!(!p.has_trailing_sep());
1533    /// assert_eq!(p.as_os_str(), OsStr::new("dir"));
1534    ///
1535    /// p = PathBuf::from("/");
1536    /// assert!(p.has_trailing_sep());
1537    /// p.pop_trailing_sep();
1538    /// assert!(p.has_trailing_sep());
1539    /// ```
1540    #[unstable(feature = "path_trailing_sep", issue = "142503")]
1541    pub fn pop_trailing_sep(&mut self) {
1542        self.inner.truncate(self.trim_trailing_sep().as_os_str().len());
1543    }
1544
1545    /// Updates [`self.file_name`] to `file_name`.
1546    ///
1547    /// If [`self.file_name`] was [`None`], this is equivalent to pushing
1548    /// `file_name`.
1549    ///
1550    /// Otherwise it is equivalent to calling [`pop`] and then pushing
1551    /// `file_name`. The new path will be a sibling of the original path.
1552    /// (That is, it will have the same parent.)
1553    ///
1554    /// The argument is not sanitized, so can include separators. This
1555    /// behavior may be changed to a panic in the future.
1556    ///
1557    /// [`self.file_name`]: Path::file_name
1558    /// [`pop`]: PathBuf::pop
1559    ///
1560    /// # Examples
1561    ///
1562    /// ```
1563    /// use std::path::PathBuf;
1564    ///
1565    /// let mut buf = PathBuf::from("/");
1566    /// assert!(buf.file_name() == None);
1567    ///
1568    /// buf.set_file_name("foo.txt");
1569    /// assert!(buf == PathBuf::from("/foo.txt"));
1570    /// assert!(buf.file_name().is_some());
1571    ///
1572    /// buf.set_file_name("bar.txt");
1573    /// assert!(buf == PathBuf::from("/bar.txt"));
1574    ///
1575    /// buf.set_file_name("baz");
1576    /// assert!(buf == PathBuf::from("/baz"));
1577    ///
1578    /// buf.set_file_name("../b/c.txt");
1579    /// assert!(buf == PathBuf::from("/../b/c.txt"));
1580    ///
1581    /// buf.set_file_name("baz");
1582    /// assert!(buf == PathBuf::from("/../b/baz"));
1583    /// ```
1584    #[stable(feature = "rust1", since = "1.0.0")]
1585    pub fn set_file_name<S: AsRef<OsStr>>(&mut self, file_name: S) {
1586        self._set_file_name(file_name.as_ref())
1587    }
1588
1589    fn _set_file_name(&mut self, file_name: &OsStr) {
1590        if self.file_name().is_some() {
1591            let popped = self.pop();
1592            debug_assert!(popped);
1593        }
1594        self.push(file_name);
1595    }
1596
1597    /// Updates [`self.extension`] to `Some(extension)` or to `None` if
1598    /// `extension` is empty.
1599    ///
1600    /// Returns `false` and does nothing if [`self.file_name`] is [`None`],
1601    /// returns `true` and updates the extension otherwise.
1602    ///
1603    /// If [`self.extension`] is [`None`], the extension is added; otherwise
1604    /// it is replaced.
1605    ///
1606    /// If `extension` is the empty string, [`self.extension`] will be [`None`]
1607    /// afterwards, not `Some("")`.
1608    ///
1609    /// # Panics
1610    ///
1611    /// Panics if the passed extension contains a path separator (see
1612    /// [`is_separator`]).
1613    ///
1614    /// # Caveats
1615    ///
1616    /// The new `extension` may contain dots and will be used in its entirety,
1617    /// but only the part after the final dot will be reflected in
1618    /// [`self.extension`].
1619    ///
1620    /// If the file stem contains internal dots and `extension` is empty, part
1621    /// of the old file stem will be considered the new [`self.extension`].
1622    ///
1623    /// See the examples below.
1624    ///
1625    /// [`self.file_name`]: Path::file_name
1626    /// [`self.extension`]: Path::extension
1627    ///
1628    /// # Examples
1629    ///
1630    /// ```
1631    /// use std::path::{Path, PathBuf};
1632    ///
1633    /// let mut p = PathBuf::from("/feel/the");
1634    ///
1635    /// p.set_extension("force");
1636    /// assert_eq!(Path::new("/feel/the.force"), p.as_path());
1637    ///
1638    /// p.set_extension("dark.side");
1639    /// assert_eq!(Path::new("/feel/the.dark.side"), p.as_path());
1640    ///
1641    /// p.set_extension("cookie");
1642    /// assert_eq!(Path::new("/feel/the.dark.cookie"), p.as_path());
1643    ///
1644    /// p.set_extension("");
1645    /// assert_eq!(Path::new("/feel/the.dark"), p.as_path());
1646    ///
1647    /// p.set_extension("");
1648    /// assert_eq!(Path::new("/feel/the"), p.as_path());
1649    ///
1650    /// p.set_extension("");
1651    /// assert_eq!(Path::new("/feel/the"), p.as_path());
1652    /// ```
1653    #[stable(feature = "rust1", since = "1.0.0")]
1654    pub fn set_extension<S: AsRef<OsStr>>(&mut self, extension: S) -> bool {
1655        self._set_extension(extension.as_ref())
1656    }
1657
1658    fn _set_extension(&mut self, extension: &OsStr) -> bool {
1659        validate_extension(extension);
1660
1661        let file_stem = match self.file_stem() {
1662            None => return false,
1663            Some(f) => f.as_encoded_bytes(),
1664        };
1665
1666        // truncate until right after the file stem
1667        let end_file_stem = file_stem[file_stem.len()..].as_ptr().addr();
1668        let start = self.inner.as_encoded_bytes().as_ptr().addr();
1669        self.inner.truncate(end_file_stem.wrapping_sub(start));
1670
1671        // add the new extension, if any
1672        let new = extension.as_encoded_bytes();
1673        if !new.is_empty() {
1674            self.inner.reserve_exact(new.len() + 1);
1675            self.inner.push(".");
1676            // SAFETY: Since a UTF-8 string was just pushed, it is not possible
1677            // for the buffer to end with a surrogate half.
1678            unsafe { self.inner.extend_from_slice_unchecked(new) };
1679        }
1680
1681        true
1682    }
1683
1684    /// Append [`self.extension`] with `extension`.
1685    ///
1686    /// Returns `false` and does nothing if [`self.file_name`] is [`None`],
1687    /// returns `true` and updates the extension otherwise.
1688    ///
1689    /// # Panics
1690    ///
1691    /// Panics if the passed extension contains a path separator (see
1692    /// [`is_separator`]).
1693    ///
1694    /// # Caveats
1695    ///
1696    /// The appended `extension` may contain dots and will be used in its entirety,
1697    /// but only the part after the final dot will be reflected in
1698    /// [`self.extension`].
1699    ///
1700    /// See the examples below.
1701    ///
1702    /// [`self.file_name`]: Path::file_name
1703    /// [`self.extension`]: Path::extension
1704    ///
1705    /// # Examples
1706    ///
1707    /// ```
1708    /// use std::path::{Path, PathBuf};
1709    ///
1710    /// let mut p = PathBuf::from("/feel/the");
1711    ///
1712    /// p.add_extension("formatted");
1713    /// assert_eq!(Path::new("/feel/the.formatted"), p.as_path());
1714    ///
1715    /// p.add_extension("dark.side");
1716    /// assert_eq!(Path::new("/feel/the.formatted.dark.side"), p.as_path());
1717    ///
1718    /// p.set_extension("cookie");
1719    /// assert_eq!(Path::new("/feel/the.formatted.dark.cookie"), p.as_path());
1720    ///
1721    /// p.set_extension("");
1722    /// assert_eq!(Path::new("/feel/the.formatted.dark"), p.as_path());
1723    ///
1724    /// p.add_extension("");
1725    /// assert_eq!(Path::new("/feel/the.formatted.dark"), p.as_path());
1726    /// ```
1727    #[stable(feature = "path_add_extension", since = "1.91.0")]
1728    pub fn add_extension<S: AsRef<OsStr>>(&mut self, extension: S) -> bool {
1729        self._add_extension(extension.as_ref())
1730    }
1731
1732    fn _add_extension(&mut self, extension: &OsStr) -> bool {
1733        validate_extension(extension);
1734
1735        let file_name = match self.file_name() {
1736            None => return false,
1737            Some(f) => f.as_encoded_bytes(),
1738        };
1739
1740        let new = extension.as_encoded_bytes();
1741        if !new.is_empty() {
1742            // truncate until right after the file name
1743            // this is necessary for trimming the trailing separator
1744            let end_file_name = file_name[file_name.len()..].as_ptr().addr();
1745            let start = self.inner.as_encoded_bytes().as_ptr().addr();
1746            self.inner.truncate(end_file_name.wrapping_sub(start));
1747
1748            // append the new extension
1749            self.inner.reserve_exact(new.len() + 1);
1750            self.inner.push(".");
1751            // SAFETY: Since a UTF-8 string was just pushed, it is not possible
1752            // for the buffer to end with a surrogate half.
1753            unsafe { self.inner.extend_from_slice_unchecked(new) };
1754        }
1755
1756        true
1757    }
1758
1759    /// Yields a mutable reference to the underlying [`OsString`] instance.
1760    ///
1761    /// # Examples
1762    ///
1763    /// ```
1764    /// use std::path::{Path, PathBuf};
1765    ///
1766    /// let mut path = PathBuf::from("/foo");
1767    ///
1768    /// path.push("bar");
1769    /// assert_eq!(path, Path::new("/foo/bar"));
1770    ///
1771    /// // OsString's `push` does not add a separator.
1772    /// path.as_mut_os_string().push("baz");
1773    /// assert_eq!(path, Path::new("/foo/barbaz"));
1774    /// ```
1775    #[stable(feature = "path_as_mut_os_str", since = "1.70.0")]
1776    #[must_use]
1777    #[inline]
1778    pub fn as_mut_os_string(&mut self) -> &mut OsString {
1779        &mut self.inner
1780    }
1781
1782    /// Consumes the `PathBuf`, yielding its internal [`OsString`] storage.
1783    ///
1784    /// # Examples
1785    ///
1786    /// ```
1787    /// use std::path::PathBuf;
1788    ///
1789    /// let p = PathBuf::from("/the/head");
1790    /// let os_str = p.into_os_string();
1791    /// ```
1792    #[stable(feature = "rust1", since = "1.0.0")]
1793    #[must_use = "`self` will be dropped if the result is not used"]
1794    #[inline]
1795    pub fn into_os_string(self) -> OsString {
1796        self.inner
1797    }
1798
1799    /// Converts this `PathBuf` into a [boxed](Box) [`Path`].
1800    #[stable(feature = "into_boxed_path", since = "1.20.0")]
1801    #[must_use = "`self` will be dropped if the result is not used"]
1802    #[inline]
1803    pub fn into_boxed_path(self) -> Box<Path> {
1804        let rw = Box::into_raw(self.inner.into_boxed_os_str()) as *mut Path;
1805        unsafe { Box::from_raw(rw) }
1806    }
1807
1808    /// Invokes [`capacity`] on the underlying instance of [`OsString`].
1809    ///
1810    /// [`capacity`]: OsString::capacity
1811    #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1812    #[must_use]
1813    #[inline]
1814    pub fn capacity(&self) -> usize {
1815        self.inner.capacity()
1816    }
1817
1818    /// Invokes [`clear`] on the underlying instance of [`OsString`].
1819    ///
1820    /// [`clear`]: OsString::clear
1821    #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1822    #[inline]
1823    pub fn clear(&mut self) {
1824        self.inner.clear()
1825    }
1826
1827    /// Invokes [`reserve`] on the underlying instance of [`OsString`].
1828    ///
1829    /// [`reserve`]: OsString::reserve
1830    #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1831    #[inline]
1832    pub fn reserve(&mut self, additional: usize) {
1833        self.inner.reserve(additional)
1834    }
1835
1836    /// Invokes [`try_reserve`] on the underlying instance of [`OsString`].
1837    ///
1838    /// [`try_reserve`]: OsString::try_reserve
1839    #[stable(feature = "try_reserve_2", since = "1.63.0")]
1840    #[inline]
1841    pub fn try_reserve(&mut self, additional: usize) -> Result<(), TryReserveError> {
1842        self.inner.try_reserve(additional)
1843    }
1844
1845    /// Invokes [`reserve_exact`] on the underlying instance of [`OsString`].
1846    ///
1847    /// [`reserve_exact`]: OsString::reserve_exact
1848    #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1849    #[inline]
1850    pub fn reserve_exact(&mut self, additional: usize) {
1851        self.inner.reserve_exact(additional)
1852    }
1853
1854    /// Invokes [`try_reserve_exact`] on the underlying instance of [`OsString`].
1855    ///
1856    /// [`try_reserve_exact`]: OsString::try_reserve_exact
1857    #[stable(feature = "try_reserve_2", since = "1.63.0")]
1858    #[inline]
1859    pub fn try_reserve_exact(&mut self, additional: usize) -> Result<(), TryReserveError> {
1860        self.inner.try_reserve_exact(additional)
1861    }
1862
1863    /// Invokes [`shrink_to_fit`] on the underlying instance of [`OsString`].
1864    ///
1865    /// [`shrink_to_fit`]: OsString::shrink_to_fit
1866    #[stable(feature = "path_buf_capacity", since = "1.44.0")]
1867    #[inline]
1868    pub fn shrink_to_fit(&mut self) {
1869        self.inner.shrink_to_fit()
1870    }
1871
1872    /// Invokes [`shrink_to`] on the underlying instance of [`OsString`].
1873    ///
1874    /// [`shrink_to`]: OsString::shrink_to
1875    #[stable(feature = "shrink_to", since = "1.56.0")]
1876    #[inline]
1877    pub fn shrink_to(&mut self, min_capacity: usize) {
1878        self.inner.shrink_to(min_capacity)
1879    }
1880}
1881
1882#[stable(feature = "rust1", since = "1.0.0")]
1883impl Clone for PathBuf {
1884    #[inline]
1885    fn clone(&self) -> Self {
1886        PathBuf { inner: self.inner.clone() }
1887    }
1888
1889    /// Clones the contents of `source` into `self`.
1890    ///
1891    /// This method is preferred over simply assigning `source.clone()` to `self`,
1892    /// as it avoids reallocation if possible.
1893    #[inline]
1894    fn clone_from(&mut self, source: &Self) {
1895        self.inner.clone_from(&source.inner)
1896    }
1897}
1898
1899#[stable(feature = "box_from_path", since = "1.17.0")]
1900impl From<&Path> for Box<Path> {
1901    /// Creates a boxed [`Path`] from a reference.
1902    ///
1903    /// This will allocate and clone `path` to it.
1904    fn from(path: &Path) -> Box<Path> {
1905        Box::clone_from_ref(path)
1906    }
1907}
1908
1909#[stable(feature = "box_from_mut_slice", since = "1.84.0")]
1910impl From<&mut Path> for Box<Path> {
1911    /// Creates a boxed [`Path`] from a reference.
1912    ///
1913    /// This will allocate and clone `path` to it.
1914    fn from(path: &mut Path) -> Box<Path> {
1915        Self::from(&*path)
1916    }
1917}
1918
1919#[stable(feature = "box_from_cow", since = "1.45.0")]
1920impl From<Cow<'_, Path>> for Box<Path> {
1921    /// Creates a boxed [`Path`] from a clone-on-write pointer.
1922    ///
1923    /// Converting from a `Cow::Owned` does not clone or allocate.
1924    #[inline]
1925    fn from(cow: Cow<'_, Path>) -> Box<Path> {
1926        match cow {
1927            Cow::Borrowed(path) => Box::from(path),
1928            Cow::Owned(path) => Box::from(path),
1929        }
1930    }
1931}
1932
1933#[stable(feature = "path_buf_from_box", since = "1.18.0")]
1934impl From<Box<Path>> for PathBuf {
1935    /// Converts a <code>[Box]&lt;[Path]&gt;</code> into a [`PathBuf`].
1936    ///
1937    /// This conversion does not allocate or copy memory.
1938    #[inline]
1939    fn from(boxed: Box<Path>) -> PathBuf {
1940        boxed.into_path_buf()
1941    }
1942}
1943
1944#[stable(feature = "box_from_path_buf", since = "1.20.0")]
1945impl From<PathBuf> for Box<Path> {
1946    /// Converts a [`PathBuf`] into a <code>[Box]&lt;[Path]&gt;</code>.
1947    ///
1948    /// This conversion currently should not allocate memory,
1949    /// but this behavior is not guaranteed on all platforms or in all future versions.
1950    #[inline]
1951    fn from(p: PathBuf) -> Box<Path> {
1952        p.into_boxed_path()
1953    }
1954}
1955
1956#[stable(feature = "more_box_slice_clone", since = "1.29.0")]
1957impl Clone for Box<Path> {
1958    #[inline]
1959    fn clone(&self) -> Self {
1960        self.to_path_buf().into_boxed_path()
1961    }
1962}
1963
1964#[stable(feature = "rust1", since = "1.0.0")]
1965impl<T: ?Sized + AsRef<OsStr>> From<&T> for PathBuf {
1966    /// Converts a borrowed [`OsStr`] to a [`PathBuf`].
1967    ///
1968    /// Allocates a [`PathBuf`] and copies the data into it.
1969    #[inline]
1970    fn from(s: &T) -> PathBuf {
1971        PathBuf::from(s.as_ref().to_os_string())
1972    }
1973}
1974
1975#[stable(feature = "rust1", since = "1.0.0")]
1976impl From<OsString> for PathBuf {
1977    /// Converts an [`OsString`] into a [`PathBuf`].
1978    ///
1979    /// This conversion does not allocate or copy memory.
1980    #[inline]
1981    fn from(s: OsString) -> PathBuf {
1982        PathBuf { inner: s }
1983    }
1984}
1985
1986#[stable(feature = "from_path_buf_for_os_string", since = "1.14.0")]
1987impl From<PathBuf> for OsString {
1988    /// Converts a [`PathBuf`] into an [`OsString`]
1989    ///
1990    /// This conversion does not allocate or copy memory.
1991    #[inline]
1992    fn from(path_buf: PathBuf) -> OsString {
1993        path_buf.inner
1994    }
1995}
1996
1997#[stable(feature = "rust1", since = "1.0.0")]
1998impl From<String> for PathBuf {
1999    /// Converts a [`String`] into a [`PathBuf`]
2000    ///
2001    /// This conversion does not allocate or copy memory.
2002    #[inline]
2003    fn from(s: String) -> PathBuf {
2004        PathBuf::from(OsString::from(s))
2005    }
2006}
2007
2008#[stable(feature = "path_from_str", since = "1.32.0")]
2009impl FromStr for PathBuf {
2010    type Err = core::convert::Infallible;
2011
2012    #[inline]
2013    fn from_str(s: &str) -> Result<Self, Self::Err> {
2014        Ok(PathBuf::from(s))
2015    }
2016}
2017
2018#[stable(feature = "rust1", since = "1.0.0")]
2019impl<P: AsRef<Path>> FromIterator<P> for PathBuf {
2020    /// Creates a new `PathBuf` from the [`Path`] elements of an iterator.
2021    ///
2022    /// This uses [`push`](Self::push) to add each element, so can be used to adjoin multiple path
2023    /// [components](Components).
2024    ///
2025    /// # Examples
2026    /// ```
2027    /// # use std::path::PathBuf;
2028    /// let path = PathBuf::from_iter(["/tmp", "foo", "bar"]);
2029    /// assert_eq!(path, PathBuf::from("/tmp/foo/bar"));
2030    /// ```
2031    ///
2032    /// See documentation for [`push`](Self::push) for more details on how the path is constructed.
2033    fn from_iter<I: IntoIterator<Item = P>>(iter: I) -> PathBuf {
2034        let mut buf = PathBuf::new();
2035        buf.extend(iter);
2036        buf
2037    }
2038}
2039
2040#[stable(feature = "rust1", since = "1.0.0")]
2041impl<P: AsRef<Path>> Extend<P> for PathBuf {
2042    /// Extends `self` with [`Path`] elements from `iter`.
2043    ///
2044    /// This uses [`push`](Self::push) to add each element, so can be used to adjoin multiple path
2045    /// [components](Components).
2046    ///
2047    /// # Examples
2048    /// ```
2049    /// # use std::path::PathBuf;
2050    /// let mut path = PathBuf::from("/tmp");
2051    /// path.extend(["foo", "bar", "file.txt"]);
2052    /// assert_eq!(path, PathBuf::from("/tmp/foo/bar/file.txt"));
2053    /// ```
2054    ///
2055    /// See documentation for [`push`](Self::push) for more details on how the path is constructed.
2056    fn extend<I: IntoIterator<Item = P>>(&mut self, iter: I) {
2057        iter.into_iter().for_each(move |p| self.push(p.as_ref()));
2058    }
2059
2060    #[inline]
2061    fn extend_one(&mut self, p: P) {
2062        self.push(p.as_ref());
2063    }
2064}
2065
2066#[stable(feature = "rust1", since = "1.0.0")]
2067impl fmt::Debug for PathBuf {
2068    fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
2069        fmt::Debug::fmt(&**self, formatter)
2070    }
2071}
2072
2073#[stable(feature = "rust1", since = "1.0.0")]
2074impl ops::Deref for PathBuf {
2075    type Target = Path;
2076    #[inline]
2077    fn deref(&self) -> &Path {
2078        Path::new(&self.inner)
2079    }
2080}
2081
2082#[stable(feature = "path_buf_deref_mut", since = "1.68.0")]
2083impl ops::DerefMut for PathBuf {
2084    #[inline]
2085    fn deref_mut(&mut self) -> &mut Path {
2086        Path::from_inner_mut(&mut self.inner)
2087    }
2088}
2089
2090#[stable(feature = "rust1", since = "1.0.0")]
2091impl Borrow<Path> for PathBuf {
2092    #[inline]
2093    fn borrow(&self) -> &Path {
2094        self.deref()
2095    }
2096}
2097
2098#[stable(feature = "default_for_pathbuf", since = "1.17.0")]
2099impl Default for PathBuf {
2100    #[inline]
2101    fn default() -> Self {
2102        PathBuf::new()
2103    }
2104}
2105
2106#[stable(feature = "cow_from_path", since = "1.6.0")]
2107impl<'a> From<&'a Path> for Cow<'a, Path> {
2108    /// Creates a clone-on-write pointer from a reference to
2109    /// [`Path`].
2110    ///
2111    /// This conversion does not clone or allocate.
2112    #[inline]
2113    fn from(s: &'a Path) -> Cow<'a, Path> {
2114        Cow::Borrowed(s)
2115    }
2116}
2117
2118#[stable(feature = "cow_from_path", since = "1.6.0")]
2119impl<'a> From<PathBuf> for Cow<'a, Path> {
2120    /// Creates a clone-on-write pointer from an owned
2121    /// instance of [`PathBuf`].
2122    ///
2123    /// This conversion does not clone or allocate.
2124    #[inline]
2125    fn from(s: PathBuf) -> Cow<'a, Path> {
2126        Cow::Owned(s)
2127    }
2128}
2129
2130#[stable(feature = "cow_from_pathbuf_ref", since = "1.28.0")]
2131impl<'a> From<&'a PathBuf> for Cow<'a, Path> {
2132    /// Creates a clone-on-write pointer from a reference to
2133    /// [`PathBuf`].
2134    ///
2135    /// This conversion does not clone or allocate.
2136    #[inline]
2137    fn from(p: &'a PathBuf) -> Cow<'a, Path> {
2138        Cow::Borrowed(p.as_path())
2139    }
2140}
2141
2142#[stable(feature = "pathbuf_from_cow_path", since = "1.28.0")]
2143impl<'a> From<Cow<'a, Path>> for PathBuf {
2144    /// Converts a clone-on-write pointer to an owned path.
2145    ///
2146    /// Converting from a `Cow::Owned` does not clone or allocate.
2147    #[inline]
2148    fn from(p: Cow<'a, Path>) -> Self {
2149        p.into_owned()
2150    }
2151}
2152
2153#[stable(feature = "shared_from_slice2", since = "1.24.0")]
2154impl From<PathBuf> for Arc<Path> {
2155    /// Converts a [`PathBuf`] into an <code>[Arc]<[Path]></code> by moving the [`PathBuf`] data
2156    /// into a new [`Arc`] buffer.
2157    #[inline]
2158    fn from(s: PathBuf) -> Arc<Path> {
2159        let arc: Arc<OsStr> = Arc::from(s.into_os_string());
2160        unsafe { Arc::from_raw(Arc::into_raw(arc) as *const Path) }
2161    }
2162}
2163
2164#[stable(feature = "shared_from_slice2", since = "1.24.0")]
2165impl From<&Path> for Arc<Path> {
2166    /// Converts a [`Path`] into an [`Arc`] by copying the [`Path`] data into a new [`Arc`] buffer.
2167    #[inline]
2168    fn from(s: &Path) -> Arc<Path> {
2169        let arc: Arc<OsStr> = Arc::from(s.as_os_str());
2170        unsafe { Arc::from_raw(Arc::into_raw(arc) as *const Path) }
2171    }
2172}
2173
2174#[stable(feature = "shared_from_mut_slice", since = "1.84.0")]
2175impl From<&mut Path> for Arc<Path> {
2176    /// Converts a [`Path`] into an [`Arc`] by copying the [`Path`] data into a new [`Arc`] buffer.
2177    #[inline]
2178    fn from(s: &mut Path) -> Arc<Path> {
2179        Arc::from(&*s)
2180    }
2181}
2182
2183#[stable(feature = "shared_from_slice2", since = "1.24.0")]
2184impl From<PathBuf> for Rc<Path> {
2185    /// Converts a [`PathBuf`] into an <code>[Rc]<[Path]></code> by moving the [`PathBuf`] data into
2186    /// a new [`Rc`] buffer.
2187    #[inline]
2188    fn from(s: PathBuf) -> Rc<Path> {
2189        let rc: Rc<OsStr> = Rc::from(s.into_os_string());
2190        unsafe { Rc::from_raw(Rc::into_raw(rc) as *const Path) }
2191    }
2192}
2193
2194#[stable(feature = "shared_from_slice2", since = "1.24.0")]
2195impl From<&Path> for Rc<Path> {
2196    /// Converts a [`Path`] into an [`Rc`] by copying the [`Path`] data into a new [`Rc`] buffer.
2197    #[inline]
2198    fn from(s: &Path) -> Rc<Path> {
2199        let rc: Rc<OsStr> = Rc::from(s.as_os_str());
2200        unsafe { Rc::from_raw(Rc::into_raw(rc) as *const Path) }
2201    }
2202}
2203
2204#[stable(feature = "shared_from_mut_slice", since = "1.84.0")]
2205impl From<&mut Path> for Rc<Path> {
2206    /// Converts a [`Path`] into an [`Rc`] by copying the [`Path`] data into a new [`Rc`] buffer.
2207    #[inline]
2208    fn from(s: &mut Path) -> Rc<Path> {
2209        Rc::from(&*s)
2210    }
2211}
2212
2213#[stable(feature = "rust1", since = "1.0.0")]
2214impl ToOwned for Path {
2215    type Owned = PathBuf;
2216    #[inline]
2217    fn to_owned(&self) -> PathBuf {
2218        self.to_path_buf()
2219    }
2220    #[inline]
2221    fn clone_into(&self, target: &mut PathBuf) {
2222        self.inner.clone_into(&mut target.inner);
2223    }
2224}
2225
2226#[stable(feature = "rust1", since = "1.0.0")]
2227impl PartialEq for PathBuf {
2228    #[inline]
2229    fn eq(&self, other: &PathBuf) -> bool {
2230        self.components() == other.components()
2231    }
2232}
2233
2234#[stable(feature = "eq_str_for_path", since = "1.91.0")]
2235impl cmp::PartialEq<str> for PathBuf {
2236    #[inline]
2237    fn eq(&self, other: &str) -> bool {
2238        self.as_path() == other
2239    }
2240}
2241
2242#[stable(feature = "eq_str_for_path", since = "1.91.0")]
2243impl cmp::PartialEq<PathBuf> for str {
2244    #[inline]
2245    fn eq(&self, other: &PathBuf) -> bool {
2246        self == other.as_path()
2247    }
2248}
2249
2250#[stable(feature = "eq_str_for_path", since = "1.91.0")]
2251impl cmp::PartialEq<String> for PathBuf {
2252    #[inline]
2253    fn eq(&self, other: &String) -> bool {
2254        self.as_path() == other.as_str()
2255    }
2256}
2257
2258#[stable(feature = "eq_str_for_path", since = "1.91.0")]
2259impl cmp::PartialEq<PathBuf> for String {
2260    #[inline]
2261    fn eq(&self, other: &PathBuf) -> bool {
2262        self.as_str() == other.as_path()
2263    }
2264}
2265
2266#[stable(feature = "rust1", since = "1.0.0")]
2267impl Hash for PathBuf {
2268    fn hash<H: Hasher>(&self, h: &mut H) {
2269        self.as_path().hash(h)
2270    }
2271}
2272
2273#[stable(feature = "rust1", since = "1.0.0")]
2274impl Eq for PathBuf {}
2275
2276#[stable(feature = "rust1", since = "1.0.0")]
2277impl PartialOrd for PathBuf {
2278    #[inline]
2279    fn partial_cmp(&self, other: &PathBuf) -> Option<cmp::Ordering> {
2280        Some(compare_components(self.components(), other.components()))
2281    }
2282}
2283
2284#[stable(feature = "rust1", since = "1.0.0")]
2285impl Ord for PathBuf {
2286    #[inline]
2287    fn cmp(&self, other: &PathBuf) -> cmp::Ordering {
2288        compare_components(self.components(), other.components())
2289    }
2290}
2291
2292#[stable(feature = "rust1", since = "1.0.0")]
2293impl AsRef<OsStr> for PathBuf {
2294    #[inline]
2295    fn as_ref(&self) -> &OsStr {
2296        &self.inner[..]
2297    }
2298}
2299
2300/// A slice of a path (akin to [`str`]).
2301///
2302/// This type supports a number of operations for inspecting a path, including
2303/// breaking the path into its components (separated by `/` on Unix and by either
2304/// `/` or `\` on Windows), extracting the file name, determining whether the path
2305/// is absolute, and so on.
2306///
2307/// This is an *unsized* type, meaning that it must always be used behind a
2308/// pointer like `&` or [`Box`]. For an owned version of this type,
2309/// see [`PathBuf`].
2310///
2311/// More details about the overall approach can be found in
2312/// the [module documentation](self).
2313///
2314/// # Examples
2315///
2316/// ```
2317/// use std::path::Path;
2318/// use std::ffi::OsStr;
2319///
2320/// // Note: this example does work on Windows
2321/// let path = Path::new("./foo/bar.txt");
2322///
2323/// let parent = path.parent();
2324/// assert_eq!(parent, Some(Path::new("./foo")));
2325///
2326/// let file_stem = path.file_stem();
2327/// assert_eq!(file_stem, Some(OsStr::new("bar")));
2328///
2329/// let extension = path.extension();
2330/// assert_eq!(extension, Some(OsStr::new("txt")));
2331/// ```
2332#[cfg_attr(not(test), rustc_diagnostic_item = "Path")]
2333#[stable(feature = "rust1", since = "1.0.0")]
2334// `Path::new` and `impl CloneToUninit for Path` current implementation relies
2335// on `Path` being layout-compatible with `OsStr`.
2336// However, `Path` layout is considered an implementation detail and must not be relied upon.
2337#[repr(transparent)]
2338pub struct Path {
2339    inner: OsStr,
2340}
2341
2342/// An error returned from [`Path::strip_prefix`] if the prefix was not found.
2343///
2344/// This `struct` is created by the [`strip_prefix`] method on [`Path`].
2345/// See its documentation for more.
2346///
2347/// [`strip_prefix`]: Path::strip_prefix
2348#[derive(Debug, Clone, PartialEq, Eq)]
2349#[stable(since = "1.7.0", feature = "strip_prefix")]
2350pub struct StripPrefixError(());
2351
2352/// An error returned from [`Path::normalize_lexically`] if a `..` parent reference
2353/// would escape the path.
2354#[unstable(feature = "normalize_lexically", issue = "134694")]
2355#[derive(Debug, PartialEq)]
2356#[non_exhaustive]
2357pub struct NormalizeError;
2358
2359impl Path {
2360    // The following (private!) function allows construction of a path from a u8
2361    // slice, which is only safe when it is known to follow the OsStr encoding.
2362    unsafe fn from_u8_slice(s: &[u8]) -> &Path {
2363        unsafe { Path::new(OsStr::from_encoded_bytes_unchecked(s)) }
2364    }
2365    // The following (private!) function reveals the byte encoding used for OsStr.
2366    pub(crate) fn as_u8_slice(&self) -> &[u8] {
2367        self.inner.as_encoded_bytes()
2368    }
2369
2370    /// Directly wraps a string slice as a `Path` slice.
2371    ///
2372    /// This is a cost-free conversion.
2373    ///
2374    /// # Examples
2375    ///
2376    /// ```
2377    /// use std::path::Path;
2378    ///
2379    /// Path::new("foo.txt");
2380    /// ```
2381    ///
2382    /// You can create `Path`s from `String`s, or even other `Path`s:
2383    ///
2384    /// ```
2385    /// use std::path::Path;
2386    ///
2387    /// let string = String::from("foo.txt");
2388    /// let from_string = Path::new(&string);
2389    /// let from_path = Path::new(&from_string);
2390    /// assert_eq!(from_string, from_path);
2391    /// ```
2392    #[stable(feature = "rust1", since = "1.0.0")]
2393    #[rustc_const_unstable(feature = "const_convert", issue = "143773")]
2394    pub const fn new<S: [const] AsRef<OsStr> + ?Sized>(s: &S) -> &Path {
2395        unsafe { &*(s.as_ref() as *const OsStr as *const Path) }
2396    }
2397
2398    #[rustc_const_unstable(feature = "const_convert", issue = "143773")]
2399    const fn from_inner_mut(inner: &mut OsStr) -> &mut Path {
2400        // SAFETY: Path is just a wrapper around OsStr,
2401        // therefore converting &mut OsStr to &mut Path is safe.
2402        unsafe { &mut *(inner as *mut OsStr as *mut Path) }
2403    }
2404
2405    /// Yields the underlying [`OsStr`] slice.
2406    ///
2407    /// # Examples
2408    ///
2409    /// ```
2410    /// use std::path::Path;
2411    ///
2412    /// let os_str = Path::new("foo.txt").as_os_str();
2413    /// assert_eq!(os_str, std::ffi::OsStr::new("foo.txt"));
2414    /// ```
2415    #[stable(feature = "rust1", since = "1.0.0")]
2416    #[must_use]
2417    #[inline]
2418    pub fn as_os_str(&self) -> &OsStr {
2419        &self.inner
2420    }
2421
2422    /// Yields a mutable reference to the underlying [`OsStr`] slice.
2423    ///
2424    /// # Examples
2425    ///
2426    /// ```
2427    /// use std::path::{Path, PathBuf};
2428    ///
2429    /// let mut path = PathBuf::from("Foo.TXT");
2430    ///
2431    /// assert_ne!(path, Path::new("foo.txt"));
2432    ///
2433    /// path.as_mut_os_str().make_ascii_lowercase();
2434    /// assert_eq!(path, Path::new("foo.txt"));
2435    /// ```
2436    #[stable(feature = "path_as_mut_os_str", since = "1.70.0")]
2437    #[must_use]
2438    #[inline]
2439    pub fn as_mut_os_str(&mut self) -> &mut OsStr {
2440        &mut self.inner
2441    }
2442
2443    /// Yields a [`&str`] slice if the `Path` is valid unicode.
2444    ///
2445    /// This conversion may entail doing a check for UTF-8 validity.
2446    /// Note that validation is performed because non-UTF-8 strings are
2447    /// perfectly valid for some OS.
2448    ///
2449    /// [`&str`]: str
2450    ///
2451    /// # Examples
2452    ///
2453    /// ```
2454    /// use std::path::Path;
2455    ///
2456    /// let path = Path::new("foo.txt");
2457    /// assert_eq!(path.to_str(), Some("foo.txt"));
2458    /// ```
2459    #[stable(feature = "rust1", since = "1.0.0")]
2460    #[must_use = "this returns the result of the operation, \
2461                  without modifying the original"]
2462    #[inline]
2463    pub fn to_str(&self) -> Option<&str> {
2464        self.inner.to_str()
2465    }
2466
2467    /// Converts a `Path` to a [`Cow<str>`].
2468    ///
2469    /// Any non-UTF-8 sequences are replaced with
2470    /// [`U+FFFD REPLACEMENT CHARACTER`][U+FFFD].
2471    ///
2472    /// [U+FFFD]: super::char::REPLACEMENT_CHARACTER
2473    ///
2474    /// # Examples
2475    ///
2476    /// Calling `to_string_lossy` on a `Path` with valid unicode:
2477    ///
2478    /// ```
2479    /// use std::path::Path;
2480    ///
2481    /// let path = Path::new("foo.txt");
2482    /// assert_eq!(path.to_string_lossy(), "foo.txt");
2483    /// ```
2484    ///
2485    /// Had `path` contained invalid unicode, the `to_string_lossy` call might
2486    /// have returned `"fo�.txt"`.
2487    #[stable(feature = "rust1", since = "1.0.0")]
2488    #[must_use = "this returns the result of the operation, \
2489                  without modifying the original"]
2490    #[inline]
2491    pub fn to_string_lossy(&self) -> Cow<'_, str> {
2492        self.inner.to_string_lossy()
2493    }
2494
2495    /// Converts a `Path` to an owned [`PathBuf`].
2496    ///
2497    /// # Examples
2498    ///
2499    /// ```
2500    /// use std::path::{Path, PathBuf};
2501    ///
2502    /// let path_buf = Path::new("foo.txt").to_path_buf();
2503    /// assert_eq!(path_buf, PathBuf::from("foo.txt"));
2504    /// ```
2505    #[rustc_conversion_suggestion]
2506    #[must_use = "this returns the result of the operation, \
2507                  without modifying the original"]
2508    #[stable(feature = "rust1", since = "1.0.0")]
2509    #[cfg_attr(not(test), rustc_diagnostic_item = "path_to_pathbuf")]
2510    pub fn to_path_buf(&self) -> PathBuf {
2511        PathBuf::from(self.inner.to_os_string())
2512    }
2513
2514    /// Returns `true` if the `Path` is absolute, i.e., if it is independent of
2515    /// the current directory.
2516    ///
2517    /// * On Unix, a path is absolute if it starts with the root, so
2518    /// `is_absolute` and [`has_root`] are equivalent.
2519    ///
2520    /// * On Windows, a path is absolute if it has a prefix and starts with the
2521    /// root: `c:\windows` is absolute, while `c:temp` and `\temp` are not.
2522    ///
2523    /// # Examples
2524    ///
2525    /// ```
2526    /// use std::path::Path;
2527    ///
2528    /// assert!(!Path::new("foo.txt").is_absolute());
2529    /// ```
2530    ///
2531    /// [`has_root`]: Path::has_root
2532    #[stable(feature = "rust1", since = "1.0.0")]
2533    #[must_use]
2534    #[allow(deprecated)]
2535    pub fn is_absolute(&self) -> bool {
2536        sys::path::is_absolute(self)
2537    }
2538
2539    /// Returns `true` if the `Path` is relative, i.e., not absolute.
2540    ///
2541    /// See [`is_absolute`]'s documentation for more details.
2542    ///
2543    /// # Examples
2544    ///
2545    /// ```
2546    /// use std::path::Path;
2547    ///
2548    /// assert!(Path::new("foo.txt").is_relative());
2549    /// ```
2550    ///
2551    /// [`is_absolute`]: Path::is_absolute
2552    #[stable(feature = "rust1", since = "1.0.0")]
2553    #[must_use]
2554    #[inline]
2555    pub fn is_relative(&self) -> bool {
2556        !self.is_absolute()
2557    }
2558
2559    pub(crate) fn prefix(&self) -> Option<Prefix<'_>> {
2560        self.components().prefix
2561    }
2562
2563    /// Returns `true` if the `Path` has a root.
2564    ///
2565    /// * On Unix, a path has a root if it begins with `/`.
2566    ///
2567    /// * On Windows, a path has a root if it:
2568    ///     * has no prefix and begins with a separator, e.g., `\windows`
2569    ///     * has a prefix followed by a separator, e.g., `c:\windows` but not `c:windows`
2570    ///     * has any non-disk prefix, e.g., `\\server\share`
2571    ///
2572    /// # Examples
2573    ///
2574    /// ```
2575    /// use std::path::Path;
2576    ///
2577    /// assert!(Path::new("/etc/passwd").has_root());
2578    /// ```
2579    #[stable(feature = "rust1", since = "1.0.0")]
2580    #[must_use]
2581    #[inline]
2582    pub fn has_root(&self) -> bool {
2583        self.components().has_root()
2584    }
2585
2586    /// Returns the `Path` without its final component, if there is one.
2587    ///
2588    /// This means it returns `Some("")` for relative paths with one component.
2589    ///
2590    /// Returns [`None`] if the path terminates in a root or prefix, or if it's
2591    /// the empty string.
2592    ///
2593    /// # Examples
2594    ///
2595    /// ```
2596    /// use std::path::Path;
2597    ///
2598    /// let path = Path::new("/foo/bar");
2599    /// let parent = path.parent().unwrap();
2600    /// assert_eq!(parent, Path::new("/foo"));
2601    ///
2602    /// let grand_parent = parent.parent().unwrap();
2603    /// assert_eq!(grand_parent, Path::new("/"));
2604    /// assert_eq!(grand_parent.parent(), None);
2605    ///
2606    /// let relative_path = Path::new("foo/bar");
2607    /// let parent = relative_path.parent();
2608    /// assert_eq!(parent, Some(Path::new("foo")));
2609    /// let grand_parent = parent.and_then(Path::parent);
2610    /// assert_eq!(grand_parent, Some(Path::new("")));
2611    /// let great_grand_parent = grand_parent.and_then(Path::parent);
2612    /// assert_eq!(great_grand_parent, None);
2613    /// ```
2614    #[stable(feature = "rust1", since = "1.0.0")]
2615    #[doc(alias = "dirname")]
2616    #[must_use]
2617    pub fn parent(&self) -> Option<&Path> {
2618        let mut comps = self.components();
2619        let comp = comps.next_back();
2620        comp.and_then(|p| match p {
2621            Component::Normal(_) | Component::CurDir | Component::ParentDir => {
2622                Some(comps.as_path())
2623            }
2624            _ => None,
2625        })
2626    }
2627
2628    /// Produces an iterator over `Path` and its ancestors.
2629    ///
2630    /// The iterator will yield the `Path` that is returned if the [`parent`] method is used zero
2631    /// or more times. If the [`parent`] method returns [`None`], the iterator will do likewise.
2632    /// The iterator will always yield at least one value, namely `Some(&self)`. Next it will yield
2633    /// `&self.parent()`, `&self.parent().and_then(Path::parent)` and so on.
2634    ///
2635    /// # Examples
2636    ///
2637    /// ```
2638    /// use std::path::Path;
2639    ///
2640    /// let mut ancestors = Path::new("/foo/bar").ancestors();
2641    /// assert_eq!(ancestors.next(), Some(Path::new("/foo/bar")));
2642    /// assert_eq!(ancestors.next(), Some(Path::new("/foo")));
2643    /// assert_eq!(ancestors.next(), Some(Path::new("/")));
2644    /// assert_eq!(ancestors.next(), None);
2645    ///
2646    /// let mut ancestors = Path::new("../foo/bar").ancestors();
2647    /// assert_eq!(ancestors.next(), Some(Path::new("../foo/bar")));
2648    /// assert_eq!(ancestors.next(), Some(Path::new("../foo")));
2649    /// assert_eq!(ancestors.next(), Some(Path::new("..")));
2650    /// assert_eq!(ancestors.next(), Some(Path::new("")));
2651    /// assert_eq!(ancestors.next(), None);
2652    /// ```
2653    ///
2654    /// [`parent`]: Path::parent
2655    #[stable(feature = "path_ancestors", since = "1.28.0")]
2656    #[inline]
2657    pub fn ancestors(&self) -> Ancestors<'_> {
2658        Ancestors { next: Some(&self) }
2659    }
2660
2661    /// Returns the final component of the `Path`, if there is one.
2662    ///
2663    /// If the path is a normal file, this is the file name. If it's the path of a directory, this
2664    /// is the directory name.
2665    ///
2666    /// Returns [`None`] if the path terminates in `..`.
2667    ///
2668    /// # Examples
2669    ///
2670    /// ```
2671    /// use std::path::Path;
2672    /// use std::ffi::OsStr;
2673    ///
2674    /// assert_eq!(Some(OsStr::new("bin")), Path::new("/usr/bin/").file_name());
2675    /// assert_eq!(Some(OsStr::new("foo.txt")), Path::new("tmp/foo.txt").file_name());
2676    /// assert_eq!(Some(OsStr::new("foo.txt")), Path::new("foo.txt/.").file_name());
2677    /// assert_eq!(Some(OsStr::new("foo.txt")), Path::new("foo.txt/.//").file_name());
2678    /// assert_eq!(None, Path::new("foo.txt/..").file_name());
2679    /// assert_eq!(None, Path::new("/").file_name());
2680    /// ```
2681    #[stable(feature = "rust1", since = "1.0.0")]
2682    #[doc(alias = "basename")]
2683    #[must_use]
2684    pub fn file_name(&self) -> Option<&OsStr> {
2685        self.components().next_back().and_then(|p| match p {
2686            Component::Normal(p) => Some(p),
2687            _ => None,
2688        })
2689    }
2690
2691    /// Returns a path that, when joined onto `base`, yields `self`.
2692    ///
2693    /// # Errors
2694    ///
2695    /// If `base` is not a prefix of `self` (i.e., [`starts_with`]
2696    /// returns `false`), returns [`Err`].
2697    ///
2698    /// [`starts_with`]: Path::starts_with
2699    ///
2700    /// # Examples
2701    ///
2702    /// ```
2703    /// use std::path::{Path, PathBuf};
2704    ///
2705    /// let path = Path::new("/test/haha/foo.txt");
2706    ///
2707    /// assert_eq!(path.strip_prefix("/"), Ok(Path::new("test/haha/foo.txt")));
2708    /// assert_eq!(path.strip_prefix("/test"), Ok(Path::new("haha/foo.txt")));
2709    /// assert_eq!(path.strip_prefix("/test/"), Ok(Path::new("haha/foo.txt")));
2710    /// assert_eq!(path.strip_prefix("/test/haha/foo.txt"), Ok(Path::new("")));
2711    /// assert_eq!(path.strip_prefix("/test/haha/foo.txt/"), Ok(Path::new("")));
2712    ///
2713    /// assert!(path.strip_prefix("test").is_err());
2714    /// assert!(path.strip_prefix("/te").is_err());
2715    /// assert!(path.strip_prefix("/haha").is_err());
2716    ///
2717    /// let prefix = PathBuf::from("/test/");
2718    /// assert_eq!(path.strip_prefix(prefix), Ok(Path::new("haha/foo.txt")));
2719    /// ```
2720    #[stable(since = "1.7.0", feature = "path_strip_prefix")]
2721    pub fn strip_prefix<P>(&self, base: P) -> Result<&Path, StripPrefixError>
2722    where
2723        P: AsRef<Path>,
2724    {
2725        self._strip_prefix(base.as_ref())
2726    }
2727
2728    /// Returns a path with the optional prefix removed.
2729    ///
2730    /// If `base` is not a prefix of `self` (i.e., [`starts_with`] returns `false`), returns the original path (`self`)
2731    ///
2732    /// [`starts_with`]: Path::starts_with
2733    ///
2734    /// # Examples
2735    ///
2736    /// ```
2737    /// #![feature(trim_prefix_suffix)]
2738    /// use std::path::Path;
2739    ///
2740    /// let path = Path::new("/test/haha/foo.txt");
2741    ///
2742    /// // Prefix present - remove it
2743    /// assert_eq!(path.trim_prefix("/"), Path::new("test/haha/foo.txt"));
2744    /// assert_eq!(path.trim_prefix("/test"), Path::new("haha/foo.txt"));
2745    /// assert_eq!(path.trim_prefix("/test/"), Path::new("haha/foo.txt"));
2746    /// assert_eq!(path.trim_prefix("/test/haha/foo.txt"), Path::new(""));
2747    /// assert_eq!(path.trim_prefix("/test/haha/foo.txt/"), Path::new(""));
2748    ///
2749    /// // Prefix absent - return original
2750    /// assert_eq!(path.trim_prefix("test"), path);
2751    /// assert_eq!(path.trim_prefix("/te"), path);
2752    /// assert_eq!(path.trim_prefix("/haha"), path);
2753    /// ```
2754    #[must_use = "this returns the remaining path as a new path, without modifying the original"]
2755    #[unstable(feature = "trim_prefix_suffix", issue = "142312")]
2756    pub fn trim_prefix<P>(&self, base: P) -> &Path
2757    where
2758        P: AsRef<Path>,
2759    {
2760        self._strip_prefix(base.as_ref()).unwrap_or(self)
2761    }
2762
2763    fn _strip_prefix(&self, base: &Path) -> Result<&Path, StripPrefixError> {
2764        iter_after(self.components(), base.components())
2765            .map(|c| c.as_path())
2766            .ok_or(StripPrefixError(()))
2767    }
2768
2769    /// Determines whether `base` is a prefix of `self`.
2770    ///
2771    /// Only considers whole path components to match.
2772    ///
2773    /// # Examples
2774    ///
2775    /// ```
2776    /// use std::path::Path;
2777    ///
2778    /// let path = Path::new("/etc/passwd");
2779    ///
2780    /// assert!(path.starts_with("/etc"));
2781    /// assert!(path.starts_with("/etc/"));
2782    /// assert!(path.starts_with("/etc/passwd"));
2783    /// assert!(path.starts_with("/etc/passwd/")); // extra slash is okay
2784    /// assert!(path.starts_with("/etc/passwd///")); // multiple extra slashes are okay
2785    ///
2786    /// assert!(!path.starts_with("/e"));
2787    /// assert!(!path.starts_with("/etc/passwd.txt"));
2788    ///
2789    /// assert!(!Path::new("/etc/foo.rs").starts_with("/etc/foo"));
2790    /// ```
2791    #[stable(feature = "rust1", since = "1.0.0")]
2792    #[must_use]
2793    pub fn starts_with<P: AsRef<Path>>(&self, base: P) -> bool {
2794        self._starts_with(base.as_ref())
2795    }
2796
2797    fn _starts_with(&self, base: &Path) -> bool {
2798        iter_after(self.components(), base.components()).is_some()
2799    }
2800
2801    /// Determines whether `child` is a suffix of `self`.
2802    ///
2803    /// Only considers whole path components to match.
2804    ///
2805    /// # Examples
2806    ///
2807    /// ```
2808    /// use std::path::Path;
2809    ///
2810    /// let path = Path::new("/etc/resolv.conf");
2811    ///
2812    /// assert!(path.ends_with("resolv.conf"));
2813    /// assert!(path.ends_with("etc/resolv.conf"));
2814    /// assert!(path.ends_with("/etc/resolv.conf"));
2815    ///
2816    /// assert!(!path.ends_with("/resolv.conf"));
2817    /// assert!(!path.ends_with("conf")); // use .extension() instead
2818    /// ```
2819    #[stable(feature = "rust1", since = "1.0.0")]
2820    #[must_use]
2821    pub fn ends_with<P: AsRef<Path>>(&self, child: P) -> bool {
2822        self._ends_with(child.as_ref())
2823    }
2824
2825    fn _ends_with(&self, child: &Path) -> bool {
2826        iter_after(self.components().rev(), child.components().rev()).is_some()
2827    }
2828
2829    /// Checks whether the `Path` is empty.
2830    ///
2831    /// # Examples
2832    ///
2833    /// ```
2834    /// #![feature(path_is_empty)]
2835    /// use std::path::Path;
2836    ///
2837    /// let path = Path::new("");
2838    /// assert!(path.is_empty());
2839    ///
2840    /// let path = Path::new("foo");
2841    /// assert!(!path.is_empty());
2842    ///
2843    /// let path = Path::new(".");
2844    /// assert!(!path.is_empty());
2845    /// ```
2846    #[unstable(feature = "path_is_empty", issue = "148494")]
2847    pub fn is_empty(&self) -> bool {
2848        self.as_os_str().is_empty()
2849    }
2850
2851    /// Extracts the stem (non-extension) portion of [`self.file_name`].
2852    ///
2853    /// [`self.file_name`]: Path::file_name
2854    ///
2855    /// The stem is:
2856    ///
2857    /// * [`None`], if there is no file name;
2858    /// * The entire file name if there is no embedded `.`;
2859    /// * The entire file name if the file name begins with `.` and has no other `.`s within;
2860    /// * Otherwise, the portion of the file name before the final `.`
2861    ///
2862    /// # Examples
2863    ///
2864    /// ```
2865    /// use std::path::Path;
2866    ///
2867    /// assert_eq!("foo", Path::new("foo.rs").file_stem().unwrap());
2868    /// assert_eq!("foo.tar", Path::new("foo.tar.gz").file_stem().unwrap());
2869    /// ```
2870    ///
2871    /// # See Also
2872    /// This method is similar to [`Path::file_prefix`], which extracts the portion of the file name
2873    /// before the *first* `.`
2874    ///
2875    /// [`Path::file_prefix`]: Path::file_prefix
2876    ///
2877    #[stable(feature = "rust1", since = "1.0.0")]
2878    #[must_use]
2879    pub fn file_stem(&self) -> Option<&OsStr> {
2880        self.file_name().map(rsplit_file_at_dot).and_then(|(before, after)| before.or(after))
2881    }
2882
2883    /// Extracts the prefix of [`self.file_name`].
2884    ///
2885    /// The prefix is:
2886    ///
2887    /// * [`None`], if there is no file name;
2888    /// * The entire file name if there is no embedded `.`;
2889    /// * The portion of the file name before the first non-beginning `.`;
2890    /// * The entire file name if the file name begins with `.` and has no other `.`s within;
2891    /// * The portion of the file name before the second `.` if the file name begins with `.`
2892    ///
2893    /// [`self.file_name`]: Path::file_name
2894    ///
2895    /// # Examples
2896    ///
2897    /// ```
2898    /// use std::path::Path;
2899    ///
2900    /// assert_eq!("foo", Path::new("foo.rs").file_prefix().unwrap());
2901    /// assert_eq!("foo", Path::new("foo.tar.gz").file_prefix().unwrap());
2902    /// assert_eq!(".config", Path::new(".config").file_prefix().unwrap());
2903    /// assert_eq!(".config", Path::new(".config.toml").file_prefix().unwrap());
2904    /// ```
2905    ///
2906    /// # See Also
2907    /// This method is similar to [`Path::file_stem`], which extracts the portion of the file name
2908    /// before the *last* `.`
2909    ///
2910    /// [`Path::file_stem`]: Path::file_stem
2911    ///
2912    #[stable(feature = "path_file_prefix", since = "1.91.0")]
2913    #[must_use]
2914    pub fn file_prefix(&self) -> Option<&OsStr> {
2915        self.file_name().map(split_file_at_dot).and_then(|(before, _after)| Some(before))
2916    }
2917
2918    /// Extracts the extension (without the leading dot) of [`self.file_name`], if possible.
2919    ///
2920    /// The extension is:
2921    ///
2922    /// * [`None`], if there is no file name;
2923    /// * [`None`], if there is no embedded `.`;
2924    /// * [`None`], if the file name begins with `.` and has no other `.`s within;
2925    /// * Otherwise, the portion of the file name after the final `.`
2926    ///
2927    /// [`self.file_name`]: Path::file_name
2928    ///
2929    /// # Examples
2930    ///
2931    /// ```
2932    /// use std::path::Path;
2933    ///
2934    /// assert_eq!("rs", Path::new("foo.rs").extension().unwrap());
2935    /// assert_eq!("gz", Path::new("foo.tar.gz").extension().unwrap());
2936    /// ```
2937    #[stable(feature = "rust1", since = "1.0.0")]
2938    #[must_use]
2939    pub fn extension(&self) -> Option<&OsStr> {
2940        self.file_name().map(rsplit_file_at_dot).and_then(|(before, after)| before.and(after))
2941    }
2942
2943    /// Checks whether the path ends in a trailing [separator](MAIN_SEPARATOR).
2944    ///
2945    /// This is generally done to ensure that a path is treated as a directory, not a file,
2946    /// although it does not actually guarantee that such a path is a directory on the underlying
2947    /// file system.
2948    ///
2949    /// Despite this behavior, two paths are still considered the same in Rust whether they have a
2950    /// trailing separator or not.
2951    ///
2952    /// # Examples
2953    ///
2954    /// ```
2955    /// #![feature(path_trailing_sep)]
2956    /// use std::path::Path;
2957    ///
2958    /// assert!(Path::new("dir/").has_trailing_sep());
2959    /// assert!(!Path::new("file.rs").has_trailing_sep());
2960    /// ```
2961    #[unstable(feature = "path_trailing_sep", issue = "142503")]
2962    #[must_use]
2963    #[inline]
2964    pub fn has_trailing_sep(&self) -> bool {
2965        self.as_os_str().as_encoded_bytes().last().copied().is_some_and(is_sep_byte)
2966    }
2967
2968    /// Ensures that a path has a trailing [separator](MAIN_SEPARATOR),
2969    /// allocating a [`PathBuf`] if necessary.
2970    ///
2971    /// The resulting path will return true for [`has_trailing_sep`](Self::has_trailing_sep).
2972    ///
2973    /// # Examples
2974    ///
2975    /// ```
2976    /// #![feature(path_trailing_sep)]
2977    /// use std::ffi::OsStr;
2978    /// use std::path::Path;
2979    ///
2980    /// assert_eq!(Path::new("dir//").with_trailing_sep().as_os_str(), OsStr::new("dir//"));
2981    /// assert_eq!(Path::new("dir/").with_trailing_sep().as_os_str(), OsStr::new("dir/"));
2982    /// assert!(!Path::new("dir").has_trailing_sep());
2983    /// assert!(Path::new("dir").with_trailing_sep().has_trailing_sep());
2984    /// ```
2985    #[unstable(feature = "path_trailing_sep", issue = "142503")]
2986    #[must_use]
2987    #[inline]
2988    pub fn with_trailing_sep(&self) -> Cow<'_, Path> {
2989        if self.has_trailing_sep() { Cow::Borrowed(self) } else { Cow::Owned(self.join("")) }
2990    }
2991
2992    /// Trims a trailing [separator](MAIN_SEPARATOR) from a path, if possible.
2993    ///
2994    /// The resulting path will return false for [`has_trailing_sep`](Self::has_trailing_sep) for
2995    /// most paths.
2996    ///
2997    /// Some paths, like `/`, cannot be trimmed in this way.
2998    ///
2999    /// # Examples
3000    ///
3001    /// ```
3002    /// #![feature(path_trailing_sep)]
3003    /// use std::ffi::OsStr;
3004    /// use std::path::Path;
3005    ///
3006    /// assert_eq!(Path::new("dir//").trim_trailing_sep().as_os_str(), OsStr::new("dir"));
3007    /// assert_eq!(Path::new("dir/").trim_trailing_sep().as_os_str(), OsStr::new("dir"));
3008    /// assert_eq!(Path::new("dir").trim_trailing_sep().as_os_str(), OsStr::new("dir"));
3009    /// assert_eq!(Path::new("/").trim_trailing_sep().as_os_str(), OsStr::new("/"));
3010    /// assert_eq!(Path::new("//").trim_trailing_sep().as_os_str(), OsStr::new("//"));
3011    /// ```
3012    #[unstable(feature = "path_trailing_sep", issue = "142503")]
3013    #[must_use]
3014    #[inline]
3015    pub fn trim_trailing_sep(&self) -> &Path {
3016        if self.has_trailing_sep() && (!self.has_root() || self.parent().is_some()) {
3017            let mut bytes = self.inner.as_encoded_bytes();
3018            while let Some((last, init)) = bytes.split_last()
3019                && is_sep_byte(*last)
3020            {
3021                bytes = init;
3022            }
3023
3024            // SAFETY: Trimming trailing ASCII bytes will retain the validity of the string.
3025            Path::new(unsafe { OsStr::from_encoded_bytes_unchecked(bytes) })
3026        } else {
3027            self
3028        }
3029    }
3030
3031    /// Creates an owned [`PathBuf`] with `path` adjoined to `self`.
3032    ///
3033    /// If `path` is absolute, it replaces the current path.
3034    ///
3035    /// On Windows:
3036    ///
3037    /// * if `path` has a root but no prefix (e.g., `\windows`), it
3038    ///   replaces and returns everything except for the prefix (if any) of `self`.
3039    /// * if `path` has a prefix but no root, `self` is ignored and `path` is returned.
3040    /// * if `self` has a verbatim prefix (e.g. `\\?\C:\windows`)
3041    ///   and `path` is not empty, the new path is normalized: all references
3042    ///   to `.` and `..` are removed.
3043    ///
3044    /// See [`PathBuf::push`] for more details on what it means to adjoin a path.
3045    ///
3046    /// # Examples
3047    ///
3048    /// ```
3049    /// use std::path::{Path, PathBuf};
3050    ///
3051    /// assert_eq!(Path::new("/etc").join("passwd"), PathBuf::from("/etc/passwd"));
3052    /// assert_eq!(Path::new("/etc").join("/bin/sh"), PathBuf::from("/bin/sh"));
3053    /// ```
3054    #[stable(feature = "rust1", since = "1.0.0")]
3055    #[must_use]
3056    pub fn join<P: AsRef<Path>>(&self, path: P) -> PathBuf {
3057        self._join(path.as_ref())
3058    }
3059
3060    fn _join(&self, path: &Path) -> PathBuf {
3061        let mut buf = self.to_path_buf();
3062        buf.push(path);
3063        buf
3064    }
3065
3066    /// Creates an owned [`PathBuf`] like `self` but with the given file name.
3067    ///
3068    /// See [`PathBuf::set_file_name`] for more details.
3069    ///
3070    /// # Examples
3071    ///
3072    /// ```
3073    /// use std::path::{Path, PathBuf};
3074    ///
3075    /// let path = Path::new("/tmp/foo.png");
3076    /// assert_eq!(path.with_file_name("bar"), PathBuf::from("/tmp/bar"));
3077    /// assert_eq!(path.with_file_name("bar.txt"), PathBuf::from("/tmp/bar.txt"));
3078    ///
3079    /// let path = Path::new("/tmp");
3080    /// assert_eq!(path.with_file_name("var"), PathBuf::from("/var"));
3081    /// ```
3082    #[stable(feature = "rust1", since = "1.0.0")]
3083    #[must_use]
3084    pub fn with_file_name<S: AsRef<OsStr>>(&self, file_name: S) -> PathBuf {
3085        self._with_file_name(file_name.as_ref())
3086    }
3087
3088    fn _with_file_name(&self, file_name: &OsStr) -> PathBuf {
3089        let mut buf = self.to_path_buf();
3090        buf.set_file_name(file_name);
3091        buf
3092    }
3093
3094    /// Creates an owned [`PathBuf`] like `self` but with the given extension.
3095    ///
3096    /// See [`PathBuf::set_extension`] for more details.
3097    ///
3098    /// # Examples
3099    ///
3100    /// ```
3101    /// use std::path::Path;
3102    ///
3103    /// let path = Path::new("foo.rs");
3104    /// assert_eq!(path.with_extension("txt"), Path::new("foo.txt"));
3105    /// assert_eq!(path.with_extension(""), Path::new("foo"));
3106    /// ```
3107    ///
3108    /// Handling multiple extensions:
3109    ///
3110    /// ```
3111    /// use std::path::Path;
3112    ///
3113    /// let path = Path::new("foo.tar.gz");
3114    /// assert_eq!(path.with_extension("xz"), Path::new("foo.tar.xz"));
3115    /// assert_eq!(path.with_extension("").with_extension("txt"), Path::new("foo.txt"));
3116    /// ```
3117    ///
3118    /// Adding an extension where one did not exist:
3119    ///
3120    /// ```
3121    /// use std::path::Path;
3122    ///
3123    /// let path = Path::new("foo");
3124    /// assert_eq!(path.with_extension("rs"), Path::new("foo.rs"));
3125    /// ```
3126    #[stable(feature = "rust1", since = "1.0.0")]
3127    pub fn with_extension<S: AsRef<OsStr>>(&self, extension: S) -> PathBuf {
3128        self._with_extension(extension.as_ref())
3129    }
3130
3131    fn _with_extension(&self, extension: &OsStr) -> PathBuf {
3132        let self_len = self.as_os_str().len();
3133        let self_bytes = self.as_os_str().as_encoded_bytes();
3134
3135        let (new_capacity, slice_to_copy) = match self.extension() {
3136            None => {
3137                // Enough capacity for the extension and the dot
3138                let capacity = self_len + extension.len() + 1;
3139                let whole_path = self_bytes;
3140                (capacity, whole_path)
3141            }
3142            Some(previous_extension) => {
3143                let capacity = self_len + extension.len() - previous_extension.len();
3144                let path_till_dot = &self_bytes[..self_len - previous_extension.len()];
3145                (capacity, path_till_dot)
3146            }
3147        };
3148
3149        let mut new_path = PathBuf::with_capacity(new_capacity);
3150        // SAFETY: The path is empty, so cannot have surrogate halves.
3151        unsafe { new_path.inner.extend_from_slice_unchecked(slice_to_copy) };
3152        new_path.set_extension(extension);
3153        new_path
3154    }
3155
3156    /// Creates an owned [`PathBuf`] like `self` but with the extension added.
3157    ///
3158    /// See [`PathBuf::add_extension`] for more details.
3159    ///
3160    /// # Examples
3161    ///
3162    /// ```
3163    /// use std::path::{Path, PathBuf};
3164    ///
3165    /// let path = Path::new("foo.rs");
3166    /// assert_eq!(path.with_added_extension("txt"), PathBuf::from("foo.rs.txt"));
3167    ///
3168    /// let path = Path::new("foo.tar.gz");
3169    /// assert_eq!(path.with_added_extension(""), PathBuf::from("foo.tar.gz"));
3170    /// assert_eq!(path.with_added_extension("xz"), PathBuf::from("foo.tar.gz.xz"));
3171    /// assert_eq!(path.with_added_extension("").with_added_extension("txt"), PathBuf::from("foo.tar.gz.txt"));
3172    /// ```
3173    #[stable(feature = "path_add_extension", since = "1.91.0")]
3174    pub fn with_added_extension<S: AsRef<OsStr>>(&self, extension: S) -> PathBuf {
3175        let mut new_path = self.to_path_buf();
3176        new_path.add_extension(extension);
3177        new_path
3178    }
3179
3180    /// Produces an iterator over the [`Component`]s of the path.
3181    ///
3182    /// When parsing the path, there is a small amount of normalization:
3183    ///
3184    /// * Repeated separators are ignored, so `a/b` and `a//b` both have
3185    ///   `a` and `b` as components.
3186    ///
3187    /// * Occurrences of `.` are normalized away, except if they are at the
3188    ///   beginning of the path. For example, `a/./b`, `a/b/`, `a/b/.` and
3189    ///   `a/b` all have `a` and `b` as components, but `./a/b` starts with
3190    ///   an additional [`CurDir`] component.
3191    ///
3192    /// * Trailing separators are normalized away, so `/a/b` and `/a/b/` are equivalent.
3193    ///
3194    /// Note that no other normalization takes place; in particular, `a/c`
3195    /// and `a/b/../c` are distinct, to account for the possibility that `b`
3196    /// is a symbolic link (so its parent isn't `a`).
3197    ///
3198    /// # Examples
3199    ///
3200    /// ```
3201    /// use std::path::{Path, Component};
3202    /// use std::ffi::OsStr;
3203    ///
3204    /// let mut components = Path::new("/tmp/foo.txt").components();
3205    ///
3206    /// assert_eq!(components.next(), Some(Component::RootDir));
3207    /// assert_eq!(components.next(), Some(Component::Normal(OsStr::new("tmp"))));
3208    /// assert_eq!(components.next(), Some(Component::Normal(OsStr::new("foo.txt"))));
3209    /// assert_eq!(components.next(), None)
3210    /// ```
3211    ///
3212    /// [`CurDir`]: Component::CurDir
3213    #[stable(feature = "rust1", since = "1.0.0")]
3214    pub fn components(&self) -> Components<'_> {
3215        let prefix = parse_prefix(self.as_os_str());
3216        Components {
3217            path: self.as_u8_slice(),
3218            prefix,
3219            has_physical_root: has_physical_root(self.as_u8_slice(), prefix),
3220            // use a platform-specific initial state to avoid one turn of
3221            // the state-machine when the platform doesn't have a Prefix.
3222            front: const { if HAS_PREFIXES { State::Prefix } else { State::StartDir } },
3223            back: State::Body,
3224        }
3225    }
3226
3227    /// Produces an iterator over the path's components viewed as [`OsStr`]
3228    /// slices.
3229    ///
3230    /// For more information about the particulars of how the path is separated
3231    /// into components, see [`components`].
3232    ///
3233    /// [`components`]: Path::components
3234    ///
3235    /// # Examples
3236    ///
3237    /// ```
3238    /// use std::path::{self, Path};
3239    /// use std::ffi::OsStr;
3240    ///
3241    /// let mut it = Path::new("/tmp/foo.txt").iter();
3242    /// assert_eq!(it.next(), Some(OsStr::new(&path::MAIN_SEPARATOR.to_string())));
3243    /// assert_eq!(it.next(), Some(OsStr::new("tmp")));
3244    /// assert_eq!(it.next(), Some(OsStr::new("foo.txt")));
3245    /// assert_eq!(it.next(), None)
3246    /// ```
3247    #[stable(feature = "rust1", since = "1.0.0")]
3248    #[inline]
3249    pub fn iter(&self) -> Iter<'_> {
3250        Iter { inner: self.components() }
3251    }
3252
3253    /// Returns an object that implements [`Display`] for safely printing paths
3254    /// that may contain non-Unicode data. This may perform lossy conversion,
3255    /// depending on the platform.  If you would like an implementation which
3256    /// escapes the path please use [`Debug`] instead.
3257    ///
3258    /// [`Display`]: fmt::Display
3259    /// [`Debug`]: fmt::Debug
3260    ///
3261    /// # Examples
3262    ///
3263    /// ```
3264    /// use std::path::Path;
3265    ///
3266    /// let path = Path::new("/tmp/foo.rs");
3267    ///
3268    /// println!("{}", path.display());
3269    /// ```
3270    #[stable(feature = "rust1", since = "1.0.0")]
3271    #[must_use = "this does not display the path, \
3272                  it returns an object that can be displayed"]
3273    #[inline]
3274    pub fn display(&self) -> Display<'_> {
3275        Display { inner: self.inner.display() }
3276    }
3277
3278    /// Returns the same path as `&Path`.
3279    ///
3280    /// This method is redundant when used directly on `&Path`, but
3281    /// it helps dereferencing other `PathBuf`-like types to `Path`s,
3282    /// for example references to `Box<Path>` or `Arc<Path>`.
3283    #[inline]
3284    #[unstable(feature = "str_as_str", issue = "130366")]
3285    pub const fn as_path(&self) -> &Path {
3286        self
3287    }
3288
3289    /// Queries the file system to get information about a file, directory, etc.
3290    ///
3291    /// This function will traverse symbolic links to query information about the
3292    /// destination file.
3293    ///
3294    /// This is an alias to [`fs::metadata`].
3295    ///
3296    /// # Examples
3297    ///
3298    /// ```no_run
3299    /// use std::path::Path;
3300    ///
3301    /// let path = Path::new("/Minas/tirith");
3302    /// let metadata = path.metadata().expect("metadata call failed");
3303    /// println!("{:?}", metadata.file_type());
3304    /// ```
3305    #[stable(feature = "path_ext", since = "1.5.0")]
3306    #[inline]
3307    pub fn metadata(&self) -> io::Result<fs::Metadata> {
3308        fs::metadata(self)
3309    }
3310
3311    /// Queries the metadata about a file without following symlinks.
3312    ///
3313    /// This is an alias to [`fs::symlink_metadata`].
3314    ///
3315    /// # Examples
3316    ///
3317    /// ```no_run
3318    /// use std::path::Path;
3319    ///
3320    /// let path = Path::new("/Minas/tirith");
3321    /// let metadata = path.symlink_metadata().expect("symlink_metadata call failed");
3322    /// println!("{:?}", metadata.file_type());
3323    /// ```
3324    #[stable(feature = "path_ext", since = "1.5.0")]
3325    #[inline]
3326    pub fn symlink_metadata(&self) -> io::Result<fs::Metadata> {
3327        fs::symlink_metadata(self)
3328    }
3329
3330    /// Returns the canonical, absolute form of the path with all intermediate
3331    /// components normalized and symbolic links resolved.
3332    ///
3333    /// This is an alias to [`fs::canonicalize`].
3334    ///
3335    /// # Errors
3336    ///
3337    /// This method will return an error in the following situations, but is not
3338    /// limited to just these cases:
3339    ///
3340    /// * `path` does not exist.
3341    /// * A non-final component in path is not a directory.
3342    ///
3343    /// # Examples
3344    ///
3345    /// ```no_run
3346    /// use std::path::{Path, PathBuf};
3347    ///
3348    /// let path = Path::new("/foo/test/../test/bar.rs");
3349    /// assert_eq!(path.canonicalize().unwrap(), PathBuf::from("/foo/test/bar.rs"));
3350    /// ```
3351    #[stable(feature = "path_ext", since = "1.5.0")]
3352    #[inline]
3353    pub fn canonicalize(&self) -> io::Result<PathBuf> {
3354        fs::canonicalize(self)
3355    }
3356
3357    /// Makes the path absolute without accessing the filesystem.
3358    ///
3359    /// This is an alias to [`path::absolute`](absolute).
3360    ///
3361    /// # Errors
3362    ///
3363    /// This function may return an error in the following situations:
3364    ///
3365    /// * If the path is syntactically invalid; in particular, if it is empty.
3366    /// * If getting the [current directory][crate::env::current_dir] fails.
3367    ///
3368    /// # Examples
3369    ///
3370    /// ```no_run
3371    /// #![feature(path_absolute_method)]
3372    /// use std::path::Path;
3373    ///
3374    /// let path = Path::new("foo/./bar");
3375    /// let absolute = path.absolute()?;
3376    /// assert!(absolute.is_absolute());
3377    /// # Ok::<(), std::io::Error>(())
3378    /// ```
3379    #[unstable(feature = "path_absolute_method", issue = "153328")]
3380    #[inline]
3381    pub fn absolute(&self) -> io::Result<PathBuf> {
3382        absolute(self)
3383    }
3384
3385    /// Normalize a path, including `..` without traversing the filesystem.
3386    ///
3387    /// Returns an error if normalization would leave leading `..` components.
3388    ///
3389    /// <div class="warning">
3390    ///
3391    /// This function always resolves `..` to the "lexical" parent.
3392    /// That is "a/b/../c" will always resolve to `a/c` which can change the meaning of the path.
3393    /// In particular, `a/c` and `a/b/../c` are distinct on many systems because `b` may be a symbolic link, so its parent isn't `a`.
3394    ///
3395    /// </div>
3396    ///
3397    /// [`path::absolute`](absolute) is an alternative that preserves `..`.
3398    /// Or [`Path::canonicalize`] can be used to resolve any `..` by querying the filesystem.
3399    #[unstable(feature = "normalize_lexically", issue = "134694")]
3400    pub fn normalize_lexically(&self) -> Result<PathBuf, NormalizeError> {
3401        let mut lexical = PathBuf::new();
3402        let mut iter = self.components().peekable();
3403
3404        // Find the root, if any, and add it to the lexical path.
3405        // Here we treat the Windows path "C:\" as a single "root" even though
3406        // `components` splits it into two: (Prefix, RootDir).
3407        let root = match iter.peek() {
3408            Some(Component::ParentDir) => return Err(NormalizeError),
3409            Some(p @ Component::RootDir) | Some(p @ Component::CurDir) => {
3410                lexical.push(p);
3411                iter.next();
3412                lexical.as_os_str().len()
3413            }
3414            Some(Component::Prefix(prefix)) => {
3415                lexical.push(prefix.as_os_str());
3416                iter.next();
3417                if let Some(p @ Component::RootDir) = iter.peek() {
3418                    lexical.push(p);
3419                    iter.next();
3420                }
3421                lexical.as_os_str().len()
3422            }
3423            None => return Ok(PathBuf::new()),
3424            Some(Component::Normal(_)) => 0,
3425        };
3426
3427        for component in iter {
3428            match component {
3429                Component::RootDir => unreachable!(),
3430                Component::Prefix(_) => return Err(NormalizeError),
3431                Component::CurDir => continue,
3432                Component::ParentDir => {
3433                    // It's an error if ParentDir causes us to go above the "root".
3434                    if lexical.as_os_str().len() == root {
3435                        return Err(NormalizeError);
3436                    } else {
3437                        lexical.pop();
3438                    }
3439                }
3440                Component::Normal(path) => lexical.push(path),
3441            }
3442        }
3443        Ok(lexical)
3444    }
3445
3446    /// Reads a symbolic link, returning the file that the link points to.
3447    ///
3448    /// This is an alias to [`fs::read_link`].
3449    ///
3450    /// # Examples
3451    ///
3452    /// ```no_run
3453    /// use std::path::Path;
3454    ///
3455    /// let path = Path::new("/laputa/sky_castle.rs");
3456    /// let path_link = path.read_link().expect("read_link call failed");
3457    /// ```
3458    #[stable(feature = "path_ext", since = "1.5.0")]
3459    #[inline]
3460    pub fn read_link(&self) -> io::Result<PathBuf> {
3461        fs::read_link(self)
3462    }
3463
3464    /// Returns an iterator over the entries within a directory.
3465    ///
3466    /// The iterator will yield instances of <code>[io::Result]<[fs::DirEntry]></code>. New
3467    /// errors may be encountered after an iterator is initially constructed.
3468    ///
3469    /// This is an alias to [`fs::read_dir`].
3470    ///
3471    /// # Examples
3472    ///
3473    /// ```no_run
3474    /// use std::path::Path;
3475    ///
3476    /// let path = Path::new("/laputa");
3477    /// for entry in path.read_dir().expect("read_dir call failed") {
3478    ///     if let Ok(entry) = entry {
3479    ///         println!("{:?}", entry.path());
3480    ///     }
3481    /// }
3482    /// ```
3483    #[stable(feature = "path_ext", since = "1.5.0")]
3484    #[inline]
3485    pub fn read_dir(&self) -> io::Result<fs::ReadDir> {
3486        fs::read_dir(self)
3487    }
3488
3489    /// Returns `true` if the path points at an existing entity.
3490    ///
3491    /// Warning: this method may be error-prone, consider using [`try_exists()`] instead!
3492    /// It also has a risk of introducing time-of-check to time-of-use ([TOCTOU]) bugs.
3493    ///
3494    /// This function will traverse symbolic links to query information about the
3495    /// destination file.
3496    ///
3497    /// If you cannot access the metadata of the file, e.g. because of a
3498    /// permission error or broken symbolic links, this will return `false`.
3499    ///
3500    /// # Examples
3501    ///
3502    /// ```no_run
3503    /// use std::path::Path;
3504    /// assert!(!Path::new("does_not_exist.txt").exists());
3505    /// ```
3506    ///
3507    /// # See Also
3508    ///
3509    /// This is a convenience function that coerces errors to false. If you want to
3510    /// check errors, call [`Path::try_exists`].
3511    ///
3512    /// [`try_exists()`]: Self::try_exists
3513    /// [TOCTOU]: fs#time-of-check-to-time-of-use-toctou
3514    #[stable(feature = "path_ext", since = "1.5.0")]
3515    #[must_use]
3516    #[inline]
3517    pub fn exists(&self) -> bool {
3518        fs::metadata(self).is_ok()
3519    }
3520
3521    /// Returns `Ok(true)` if the path points at an existing entity.
3522    ///
3523    /// This function will traverse symbolic links to query information about the
3524    /// destination file. In case of broken symbolic links this will return `Ok(false)`.
3525    ///
3526    /// [`Path::exists()`] only checks whether or not a path was both found and readable. By
3527    /// contrast, `try_exists` will return `Ok(true)` or `Ok(false)`, respectively, if the path
3528    /// was _verified_ to exist or not exist. If its existence can neither be confirmed nor
3529    /// denied, it will propagate an `Err(_)` instead. This can be the case if e.g. listing
3530    /// permission is denied on one of the parent directories.
3531    ///
3532    /// Note that while this avoids some pitfalls of the `exists()` method, it still can not
3533    /// prevent time-of-check to time-of-use ([TOCTOU]) bugs. You should only use it in scenarios
3534    /// where those bugs are not an issue.
3535    ///
3536    /// This is an alias for [`std::fs::exists`](crate::fs::exists).
3537    ///
3538    /// # Examples
3539    ///
3540    /// ```no_run
3541    /// use std::path::Path;
3542    /// assert!(!Path::new("does_not_exist.txt").try_exists().expect("Can't check existence of file does_not_exist.txt"));
3543    /// assert!(Path::new("/root/secret_file.txt").try_exists().is_err());
3544    /// ```
3545    ///
3546    /// [TOCTOU]: fs#time-of-check-to-time-of-use-toctou
3547    /// [`exists()`]: Self::exists
3548    #[stable(feature = "path_try_exists", since = "1.63.0")]
3549    #[inline]
3550    pub fn try_exists(&self) -> io::Result<bool> {
3551        fs::exists(self)
3552    }
3553
3554    /// Returns `true` if the path exists on disk and is pointing at a regular file.
3555    ///
3556    /// This function will traverse symbolic links to query information about the
3557    /// destination file.
3558    ///
3559    /// If you cannot access the metadata of the file, e.g. because of a
3560    /// permission error or broken symbolic links, this will return `false`.
3561    ///
3562    /// # Examples
3563    ///
3564    /// ```no_run
3565    /// use std::path::Path;
3566    /// assert_eq!(Path::new("./is_a_directory/").is_file(), false);
3567    /// assert_eq!(Path::new("a_file.txt").is_file(), true);
3568    /// ```
3569    ///
3570    /// # See Also
3571    ///
3572    /// This is a convenience function that coerces errors to false. If you want to
3573    /// check errors, call [`fs::metadata`] and handle its [`Result`]. Then call
3574    /// [`fs::Metadata::is_file`] if it was [`Ok`].
3575    ///
3576    /// When the goal is simply to read from (or write to) the source, the most
3577    /// reliable way to test the source can be read (or written to) is to open
3578    /// it. Only using `is_file` can break workflows like `diff <( prog_a )` on
3579    /// a Unix-like system for example. See [`fs::File::open`] or
3580    /// [`fs::OpenOptions::open`] for more information.
3581    #[stable(feature = "path_ext", since = "1.5.0")]
3582    #[must_use]
3583    pub fn is_file(&self) -> bool {
3584        fs::metadata(self).map(|m| m.is_file()).unwrap_or(false)
3585    }
3586
3587    /// Returns `true` if the path exists on disk and is pointing at a directory.
3588    ///
3589    /// This function will traverse symbolic links to query information about the
3590    /// destination file.
3591    ///
3592    /// If you cannot access the metadata of the file, e.g. because of a
3593    /// permission error or broken symbolic links, this will return `false`.
3594    ///
3595    /// # Examples
3596    ///
3597    /// ```no_run
3598    /// use std::path::Path;
3599    /// assert_eq!(Path::new("./is_a_directory/").is_dir(), true);
3600    /// assert_eq!(Path::new("a_file.txt").is_dir(), false);
3601    /// ```
3602    ///
3603    /// # See Also
3604    ///
3605    /// This is a convenience function that coerces errors to false. If you want to
3606    /// check errors, call [`fs::metadata`] and handle its [`Result`]. Then call
3607    /// [`fs::Metadata::is_dir`] if it was [`Ok`].
3608    #[stable(feature = "path_ext", since = "1.5.0")]
3609    #[must_use]
3610    pub fn is_dir(&self) -> bool {
3611        fs::metadata(self).map(|m| m.is_dir()).unwrap_or(false)
3612    }
3613
3614    /// Returns `true` if the path exists on disk and is pointing at a symbolic link.
3615    ///
3616    /// This function will not traverse symbolic links.
3617    /// In case of a broken symbolic link this will also return true.
3618    ///
3619    /// If you cannot access the directory containing the file, e.g., because of a
3620    /// permission error, this will return false.
3621    ///
3622    /// # Examples
3623    ///
3624    /// ```rust,no_run
3625    /// # #[cfg(unix)] {
3626    /// use std::path::Path;
3627    /// use std::os::unix::fs::symlink;
3628    ///
3629    /// let link_path = Path::new("link");
3630    /// symlink("/origin_does_not_exist/", link_path).unwrap();
3631    /// assert_eq!(link_path.is_symlink(), true);
3632    /// assert_eq!(link_path.exists(), false);
3633    /// # }
3634    /// ```
3635    ///
3636    /// # See Also
3637    ///
3638    /// This is a convenience function that coerces errors to false. If you want to
3639    /// check errors, call [`fs::symlink_metadata`] and handle its [`Result`]. Then call
3640    /// [`fs::Metadata::is_symlink`] if it was [`Ok`].
3641    #[must_use]
3642    #[stable(feature = "is_symlink", since = "1.58.0")]
3643    pub fn is_symlink(&self) -> bool {
3644        fs::symlink_metadata(self).map(|m| m.is_symlink()).unwrap_or(false)
3645    }
3646
3647    /// Converts a [`Box<Path>`](Box) into a [`PathBuf`] without copying or
3648    /// allocating.
3649    #[stable(feature = "into_boxed_path", since = "1.20.0")]
3650    #[must_use = "`self` will be dropped if the result is not used"]
3651    pub fn into_path_buf(self: Box<Self>) -> PathBuf {
3652        let rw = Box::into_raw(self) as *mut OsStr;
3653        let inner = unsafe { Box::from_raw(rw) };
3654        PathBuf { inner: OsString::from(inner) }
3655    }
3656}
3657
3658#[unstable(feature = "clone_to_uninit", issue = "126799")]
3659unsafe impl CloneToUninit for Path {
3660    #[inline]
3661    #[cfg_attr(debug_assertions, track_caller)]
3662    unsafe fn clone_to_uninit(&self, dst: *mut u8) {
3663        // SAFETY: Path is just a transparent wrapper around OsStr
3664        unsafe { self.inner.clone_to_uninit(dst) }
3665    }
3666}
3667
3668#[stable(feature = "rust1", since = "1.0.0")]
3669#[rustc_const_unstable(feature = "const_convert", issue = "143773")]
3670impl const AsRef<OsStr> for Path {
3671    #[inline]
3672    fn as_ref(&self) -> &OsStr {
3673        &self.inner
3674    }
3675}
3676
3677#[stable(feature = "rust1", since = "1.0.0")]
3678impl fmt::Debug for Path {
3679    fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
3680        fmt::Debug::fmt(&self.inner, formatter)
3681    }
3682}
3683
3684/// Helper struct for safely printing paths with [`format!`] and `{}`.
3685///
3686/// A [`Path`] might contain non-Unicode data. This `struct` implements the
3687/// [`Display`] trait in a way that mitigates that. It is created by the
3688/// [`display`](Path::display) method on [`Path`]. This may perform lossy
3689/// conversion, depending on the platform. If you would like an implementation
3690/// which escapes the path please use [`Debug`] instead.
3691///
3692/// # Examples
3693///
3694/// ```
3695/// use std::path::Path;
3696///
3697/// let path = Path::new("/tmp/foo.rs");
3698///
3699/// println!("{}", path.display());
3700/// ```
3701///
3702/// [`Display`]: fmt::Display
3703/// [`format!`]: crate::format
3704#[stable(feature = "rust1", since = "1.0.0")]
3705pub struct Display<'a> {
3706    inner: os_str::Display<'a>,
3707}
3708
3709#[stable(feature = "rust1", since = "1.0.0")]
3710impl fmt::Debug for Display<'_> {
3711    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3712        fmt::Debug::fmt(&self.inner, f)
3713    }
3714}
3715
3716#[stable(feature = "rust1", since = "1.0.0")]
3717impl fmt::Display for Display<'_> {
3718    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3719        fmt::Display::fmt(&self.inner, f)
3720    }
3721}
3722
3723#[stable(feature = "rust1", since = "1.0.0")]
3724impl PartialEq for Path {
3725    #[inline]
3726    fn eq(&self, other: &Path) -> bool {
3727        self.components() == other.components()
3728    }
3729}
3730
3731#[stable(feature = "eq_str_for_path", since = "1.91.0")]
3732impl cmp::PartialEq<str> for Path {
3733    #[inline]
3734    fn eq(&self, other: &str) -> bool {
3735        let other: &OsStr = other.as_ref();
3736        self == other
3737    }
3738}
3739
3740#[stable(feature = "eq_str_for_path", since = "1.91.0")]
3741impl cmp::PartialEq<Path> for str {
3742    #[inline]
3743    fn eq(&self, other: &Path) -> bool {
3744        other == self
3745    }
3746}
3747
3748#[stable(feature = "eq_str_for_path", since = "1.91.0")]
3749impl cmp::PartialEq<String> for Path {
3750    #[inline]
3751    fn eq(&self, other: &String) -> bool {
3752        self == other.as_str()
3753    }
3754}
3755
3756#[stable(feature = "eq_str_for_path", since = "1.91.0")]
3757impl cmp::PartialEq<Path> for String {
3758    #[inline]
3759    fn eq(&self, other: &Path) -> bool {
3760        self.as_str() == other
3761    }
3762}
3763
3764#[stable(feature = "rust1", since = "1.0.0")]
3765impl Hash for Path {
3766    fn hash<H: Hasher>(&self, h: &mut H) {
3767        let bytes = self.as_u8_slice();
3768        let (prefix_len, verbatim) = match parse_prefix(&self.inner) {
3769            Some(prefix) => {
3770                prefix.hash(h);
3771                (prefix.len(), prefix.is_verbatim())
3772            }
3773            None => (0, false),
3774        };
3775        let bytes = &bytes[prefix_len..];
3776
3777        let mut component_start = 0;
3778        // track some extra state to avoid prefix collisions.
3779        // ["foo", "bar"] and ["foobar"], will have the same payload bytes
3780        // but result in different chunk_bits
3781        let mut chunk_bits: usize = 0;
3782
3783        for i in 0..bytes.len() {
3784            let is_sep = if verbatim { is_verbatim_sep(bytes[i]) } else { is_sep_byte(bytes[i]) };
3785            if is_sep {
3786                if i > component_start {
3787                    let to_hash = &bytes[component_start..i];
3788                    chunk_bits = chunk_bits.wrapping_add(to_hash.len());
3789                    chunk_bits = chunk_bits.rotate_right(2);
3790                    h.write(to_hash);
3791                }
3792
3793                // skip over separator and optionally a following CurDir item
3794                // since components() would normalize these away.
3795                component_start = i + 1;
3796
3797                let tail = &bytes[component_start..];
3798
3799                if !verbatim {
3800                    component_start += match tail {
3801                        [b'.'] => 1,
3802                        [b'.', sep, ..] if is_sep_byte(*sep) => 1,
3803                        _ => 0,
3804                    };
3805                }
3806            }
3807        }
3808
3809        if component_start < bytes.len() {
3810            let to_hash = &bytes[component_start..];
3811            chunk_bits = chunk_bits.wrapping_add(to_hash.len());
3812            chunk_bits = chunk_bits.rotate_right(2);
3813            h.write(to_hash);
3814        }
3815
3816        h.write_usize(chunk_bits);
3817    }
3818}
3819
3820#[stable(feature = "rust1", since = "1.0.0")]
3821impl Eq for Path {}
3822
3823#[stable(feature = "rust1", since = "1.0.0")]
3824impl PartialOrd for Path {
3825    #[inline]
3826    fn partial_cmp(&self, other: &Path) -> Option<cmp::Ordering> {
3827        Some(compare_components(self.components(), other.components()))
3828    }
3829}
3830
3831#[stable(feature = "rust1", since = "1.0.0")]
3832impl Ord for Path {
3833    #[inline]
3834    fn cmp(&self, other: &Path) -> cmp::Ordering {
3835        compare_components(self.components(), other.components())
3836    }
3837}
3838
3839#[stable(feature = "rust1", since = "1.0.0")]
3840#[rustc_const_unstable(feature = "const_convert", issue = "143773")]
3841impl const AsRef<Path> for Path {
3842    #[inline]
3843    fn as_ref(&self) -> &Path {
3844        self
3845    }
3846}
3847
3848#[stable(feature = "rust1", since = "1.0.0")]
3849#[rustc_const_unstable(feature = "const_convert", issue = "143773")]
3850impl const AsRef<Path> for OsStr {
3851    #[inline]
3852    fn as_ref(&self) -> &Path {
3853        Path::new(self)
3854    }
3855}
3856
3857#[stable(feature = "cow_os_str_as_ref_path", since = "1.8.0")]
3858impl AsRef<Path> for Cow<'_, OsStr> {
3859    #[inline]
3860    fn as_ref(&self) -> &Path {
3861        Path::new(self)
3862    }
3863}
3864
3865#[stable(feature = "rust1", since = "1.0.0")]
3866impl AsRef<Path> for OsString {
3867    #[inline]
3868    fn as_ref(&self) -> &Path {
3869        Path::new(self)
3870    }
3871}
3872
3873#[stable(feature = "rust1", since = "1.0.0")]
3874impl AsRef<Path> for str {
3875    #[inline]
3876    fn as_ref(&self) -> &Path {
3877        Path::new(self)
3878    }
3879}
3880
3881#[stable(feature = "rust1", since = "1.0.0")]
3882impl AsRef<Path> for String {
3883    #[inline]
3884    fn as_ref(&self) -> &Path {
3885        Path::new(self)
3886    }
3887}
3888
3889#[stable(feature = "rust1", since = "1.0.0")]
3890impl AsRef<Path> for PathBuf {
3891    #[inline]
3892    fn as_ref(&self) -> &Path {
3893        self
3894    }
3895}
3896
3897#[stable(feature = "path_into_iter", since = "1.6.0")]
3898impl<'a> IntoIterator for &'a PathBuf {
3899    type Item = &'a OsStr;
3900    type IntoIter = Iter<'a>;
3901    #[inline]
3902    fn into_iter(self) -> Iter<'a> {
3903        self.iter()
3904    }
3905}
3906
3907#[stable(feature = "path_into_iter", since = "1.6.0")]
3908impl<'a> IntoIterator for &'a Path {
3909    type Item = &'a OsStr;
3910    type IntoIter = Iter<'a>;
3911    #[inline]
3912    fn into_iter(self) -> Iter<'a> {
3913        self.iter()
3914    }
3915}
3916
3917macro_rules! impl_cmp {
3918    ($lhs:ty, $rhs: ty) => {
3919        #[stable(feature = "partialeq_path", since = "1.6.0")]
3920        impl PartialEq<$rhs> for $lhs {
3921            #[inline]
3922            fn eq(&self, other: &$rhs) -> bool {
3923                <Path as PartialEq>::eq(self, other)
3924            }
3925        }
3926
3927        #[stable(feature = "partialeq_path", since = "1.6.0")]
3928        impl PartialEq<$lhs> for $rhs {
3929            #[inline]
3930            fn eq(&self, other: &$lhs) -> bool {
3931                <Path as PartialEq>::eq(self, other)
3932            }
3933        }
3934
3935        #[stable(feature = "cmp_path", since = "1.8.0")]
3936        impl PartialOrd<$rhs> for $lhs {
3937            #[inline]
3938            fn partial_cmp(&self, other: &$rhs) -> Option<cmp::Ordering> {
3939                <Path as PartialOrd>::partial_cmp(self, other)
3940            }
3941        }
3942
3943        #[stable(feature = "cmp_path", since = "1.8.0")]
3944        impl PartialOrd<$lhs> for $rhs {
3945            #[inline]
3946            fn partial_cmp(&self, other: &$lhs) -> Option<cmp::Ordering> {
3947                <Path as PartialOrd>::partial_cmp(self, other)
3948            }
3949        }
3950    };
3951}
3952
3953impl_cmp!(PathBuf, Path);
3954impl_cmp!(PathBuf, &Path);
3955impl_cmp!(Cow<'_, Path>, Path);
3956impl_cmp!(Cow<'_, Path>, &Path);
3957impl_cmp!(Cow<'_, Path>, PathBuf);
3958
3959macro_rules! impl_cmp_os_str {
3960    ($lhs:ty, $rhs: ty) => {
3961        #[stable(feature = "cmp_path", since = "1.8.0")]
3962        impl PartialEq<$rhs> for $lhs {
3963            #[inline]
3964            fn eq(&self, other: &$rhs) -> bool {
3965                <Path as PartialEq>::eq(self, other.as_ref())
3966            }
3967        }
3968
3969        #[stable(feature = "cmp_path", since = "1.8.0")]
3970        impl PartialEq<$lhs> for $rhs {
3971            #[inline]
3972            fn eq(&self, other: &$lhs) -> bool {
3973                <Path as PartialEq>::eq(self.as_ref(), other)
3974            }
3975        }
3976
3977        #[stable(feature = "cmp_path", since = "1.8.0")]
3978        impl PartialOrd<$rhs> for $lhs {
3979            #[inline]
3980            fn partial_cmp(&self, other: &$rhs) -> Option<cmp::Ordering> {
3981                <Path as PartialOrd>::partial_cmp(self, other.as_ref())
3982            }
3983        }
3984
3985        #[stable(feature = "cmp_path", since = "1.8.0")]
3986        impl PartialOrd<$lhs> for $rhs {
3987            #[inline]
3988            fn partial_cmp(&self, other: &$lhs) -> Option<cmp::Ordering> {
3989                <Path as PartialOrd>::partial_cmp(self.as_ref(), other)
3990            }
3991        }
3992    };
3993}
3994
3995impl_cmp_os_str!(PathBuf, OsStr);
3996impl_cmp_os_str!(PathBuf, &OsStr);
3997impl_cmp_os_str!(PathBuf, Cow<'_, OsStr>);
3998impl_cmp_os_str!(PathBuf, OsString);
3999impl_cmp_os_str!(Path, OsStr);
4000impl_cmp_os_str!(Path, &OsStr);
4001impl_cmp_os_str!(Path, Cow<'_, OsStr>);
4002impl_cmp_os_str!(Path, OsString);
4003impl_cmp_os_str!(&Path, OsStr);
4004impl_cmp_os_str!(&Path, Cow<'_, OsStr>);
4005impl_cmp_os_str!(&Path, OsString);
4006impl_cmp_os_str!(Cow<'_, Path>, OsStr);
4007impl_cmp_os_str!(Cow<'_, Path>, &OsStr);
4008impl_cmp_os_str!(Cow<'_, Path>, OsString);
4009
4010#[stable(since = "1.7.0", feature = "strip_prefix")]
4011impl fmt::Display for StripPrefixError {
4012    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
4013        "prefix not found".fmt(f)
4014    }
4015}
4016
4017#[stable(since = "1.7.0", feature = "strip_prefix")]
4018impl Error for StripPrefixError {}
4019
4020#[unstable(feature = "normalize_lexically", issue = "134694")]
4021impl fmt::Display for NormalizeError {
4022    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
4023        f.write_str("parent reference `..` points outside of base directory")
4024    }
4025}
4026#[unstable(feature = "normalize_lexically", issue = "134694")]
4027impl Error for NormalizeError {}
4028
4029/// Makes the path absolute without accessing the filesystem.
4030///
4031/// If the path is relative, the current directory is used as the base directory.
4032/// All intermediate components will be resolved according to platform-specific
4033/// rules, but unlike [`canonicalize`][crate::fs::canonicalize], this does not
4034/// resolve symlinks and may succeed even if the path does not exist.
4035///
4036/// If the `path` is empty or getting the
4037/// [current directory][crate::env::current_dir] fails, then an error will be
4038/// returned.
4039///
4040/// # Platform-specific behavior
4041///
4042/// On POSIX platforms, the path is resolved using [POSIX semantics][posix-semantics],
4043/// except that it stops short of resolving symlinks. This means it will keep `..`
4044/// components and trailing separators.
4045///
4046/// On Windows, for verbatim paths, this will simply return the path as given. For other
4047/// paths, this is currently equivalent to calling
4048/// [`GetFullPathNameW`][windows-path].
4049///
4050/// On Cygwin, this is currently equivalent to calling [`cygwin_conv_path`][cygwin-path]
4051/// with mode `CCP_WIN_A_TO_POSIX`, and then being processed like other POSIX platforms.
4052/// If a Windows path is given, it will be converted to an absolute POSIX path without
4053/// keeping `..`.
4054///
4055/// Note that these [may change in the future][changes].
4056///
4057/// # Errors
4058///
4059/// This function may return an error in the following situations:
4060///
4061/// * If `path` is syntactically invalid; in particular, if it is empty.
4062/// * If getting the [current directory][crate::env::current_dir] fails.
4063///
4064/// # Examples
4065///
4066/// ## POSIX paths
4067///
4068/// ```
4069/// # #[cfg(unix)]
4070/// fn main() -> std::io::Result<()> {
4071///     use std::path::{self, Path};
4072///
4073///     // Relative to absolute
4074///     let absolute = path::absolute("foo/./bar")?;
4075///     assert!(absolute.ends_with("foo/bar"));
4076///
4077///     // Absolute to absolute
4078///     let absolute = path::absolute("/foo//test/.././bar.rs")?;
4079///     assert_eq!(absolute, Path::new("/foo/test/../bar.rs"));
4080///     Ok(())
4081/// }
4082/// # #[cfg(not(unix))]
4083/// # fn main() {}
4084/// ```
4085///
4086/// ## Windows paths
4087///
4088/// ```
4089/// # #[cfg(windows)]
4090/// fn main() -> std::io::Result<()> {
4091///     use std::path::{self, Path};
4092///
4093///     // Relative to absolute
4094///     let absolute = path::absolute("foo/./bar")?;
4095///     assert!(absolute.ends_with(r"foo\bar"));
4096///
4097///     // Absolute to absolute
4098///     let absolute = path::absolute(r"C:\foo//test\..\./bar.rs")?;
4099///
4100///     assert_eq!(absolute, Path::new(r"C:\foo\bar.rs"));
4101///     Ok(())
4102/// }
4103/// # #[cfg(not(windows))]
4104/// # fn main() {}
4105/// ```
4106///
4107/// Note that this [may change in the future][changes].
4108///
4109/// [changes]: io#platform-specific-behavior
4110/// [posix-semantics]: https://pubs.opengroup.org/onlinepubs/9699919799/basedefs/V1_chap04.html#tag_04_13
4111/// [windows-path]: https://docs.microsoft.com/en-us/windows/win32/api/fileapi/nf-fileapi-getfullpathnamew
4112/// [cygwin-path]: https://cygwin.com/cygwin-api/func-cygwin-conv-path.html
4113#[stable(feature = "absolute_path", since = "1.79.0")]
4114pub fn absolute<P: AsRef<Path>>(path: P) -> io::Result<PathBuf> {
4115    let path = path.as_ref();
4116    if path.as_os_str().is_empty() {
4117        Err(io::const_error!(io::ErrorKind::InvalidInput, "cannot make an empty path absolute"))
4118    } else {
4119        sys::path::absolute(path)
4120    }
4121}