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