]> git.lizzy.rs Git - rust.git/blob - src/libstd/path.rs
Rollup merge of #24649 - nham:path_new_examples, r=steveklabnik
[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     /// let s = String::from("bar.txt");
1249     /// let p = Path::new(&s);
1250     /// Path::new(&p);
1251     /// ```
1252     #[stable(feature = "rust1", since = "1.0.0")]
1253     pub fn new<S: AsRef<OsStr> + ?Sized>(s: &S) -> &Path {
1254         unsafe { mem::transmute(s.as_ref()) }
1255     }
1256
1257     /// Yields the underlying `OsStr` slice.
1258     ///
1259     /// # Examples
1260     ///
1261     /// ```
1262     /// use std::path::Path;
1263     ///
1264     /// let os_str = Path::new("foo.txt").as_os_str();
1265     /// ```
1266     #[stable(feature = "rust1", since = "1.0.0")]
1267     pub fn as_os_str(&self) -> &OsStr {
1268         &self.inner
1269     }
1270
1271     /// Yields a `&str` slice if the `Path` is valid unicode.
1272     ///
1273     /// This conversion may entail doing a check for UTF-8 validity.
1274     ///
1275     /// # Examples
1276     ///
1277     /// ```
1278     /// use std::path::Path;
1279     ///
1280     /// let path_str = Path::new("foo.txt").to_str();
1281     /// ```
1282     #[stable(feature = "rust1", since = "1.0.0")]
1283     pub fn to_str(&self) -> Option<&str> {
1284         self.inner.to_str()
1285     }
1286
1287     /// Converts a `Path` to a `Cow<str>`.
1288     ///
1289     /// Any non-Unicode sequences are replaced with U+FFFD REPLACEMENT CHARACTER.
1290     ///
1291     /// # Examples
1292     ///
1293     /// ```
1294     /// use std::path::Path;
1295     ///
1296     /// let path_str = Path::new("foo.txt").to_string_lossy();
1297     /// ```
1298     #[stable(feature = "rust1", since = "1.0.0")]
1299     pub fn to_string_lossy(&self) -> Cow<str> {
1300         self.inner.to_string_lossy()
1301     }
1302
1303     /// Converts a `Path` to an owned `PathBuf`.
1304     ///
1305     /// # Examples
1306     ///
1307     /// ```
1308     /// use std::path::Path;
1309     ///
1310     /// let path_str = Path::new("foo.txt").to_path_buf();
1311     /// ```
1312     #[stable(feature = "rust1", since = "1.0.0")]
1313     pub fn to_path_buf(&self) -> PathBuf {
1314         PathBuf::from(self.inner.to_os_string())
1315     }
1316
1317     /// A path is *absolute* if it is independent of the current directory.
1318     ///
1319     /// * On Unix, a path is absolute if it starts with the root, so
1320     /// `is_absolute` and `has_root` are equivalent.
1321     ///
1322     /// * On Windows, a path is absolute if it has a prefix and starts with the
1323     /// root: `c:\windows` is absolute, while `c:temp` and `\temp` are not. In
1324     /// other words, `path.is_absolute() == path.prefix().is_some() && path.has_root()`.
1325     ///
1326     /// # Examples
1327     ///
1328     /// ```
1329     /// use std::path::Path;
1330     ///
1331     /// assert_eq!(false, Path::new("foo.txt").is_absolute());
1332     /// ```
1333     #[stable(feature = "rust1", since = "1.0.0")]
1334     pub fn is_absolute(&self) -> bool {
1335         self.has_root() &&
1336             (cfg!(unix) || self.prefix().is_some())
1337     }
1338
1339     /// A path is *relative* if it is not absolute.
1340     ///
1341     /// # Examples
1342     ///
1343     /// ```
1344     /// use std::path::Path;
1345     ///
1346     /// assert!(Path::new("foo.txt").is_relative());
1347     /// ```
1348     #[stable(feature = "rust1", since = "1.0.0")]
1349     pub fn is_relative(&self) -> bool {
1350         !self.is_absolute()
1351     }
1352
1353     /// Returns the *prefix* of a path, if any.
1354     ///
1355     /// Prefixes are relevant only for Windows paths, and consist of volumes
1356     /// like `C:`, UNC prefixes like `\\server`, and others described in more
1357     /// detail in `std::os::windows::PathExt`.
1358     #[unstable(feature = "path_prefix", reason = "uncertain whether to expose this convenience")]
1359     pub fn prefix(&self) -> Option<Prefix> {
1360         self.components().prefix
1361     }
1362
1363     /// A path has a root if the body of the path begins with the directory separator.
1364     ///
1365     /// * On Unix, a path has a root if it begins with `/`.
1366     ///
1367     /// * On Windows, a path has a root if it:
1368     ///     * has no prefix and begins with a separator, e.g. `\\windows`
1369     ///     * has a prefix followed by a separator, e.g. `c:\windows` but not `c:windows`
1370     ///     * has any non-disk prefix, e.g. `\\server\share`
1371     ///
1372     /// # Examples
1373     ///
1374     /// ```
1375     /// use std::path::Path;
1376     ///
1377     /// assert!(Path::new("/etc/passwd").has_root());
1378     /// ```
1379     #[stable(feature = "rust1", since = "1.0.0")]
1380     pub fn has_root(&self) -> bool {
1381          self.components().has_root()
1382     }
1383
1384     /// The path without its final component, if any.
1385     ///
1386     /// Returns `None` if the path terminates in a root or prefix.
1387     ///
1388     /// # Examples
1389     ///
1390     /// ```
1391     /// use std::path::Path;
1392     ///
1393     /// let path = Path::new("/foo/bar");
1394     /// let foo = path.parent().unwrap();
1395     ///
1396     /// assert!(foo == Path::new("/foo"));
1397     ///
1398     /// let root = foo.parent().unwrap();
1399     ///
1400     /// assert!(root == Path::new("/"));
1401     /// assert!(root.parent() == None);
1402     /// ```
1403     #[stable(feature = "rust1", since = "1.0.0")]
1404     pub fn parent(&self) -> Option<&Path> {
1405         let mut comps = self.components();
1406         let comp = comps.next_back();
1407         comp.and_then(|p| match p {
1408             Component::Normal(_) |
1409             Component::CurDir |
1410             Component::ParentDir => Some(comps.as_path()),
1411             _ => None
1412         })
1413     }
1414
1415     /// The final component of the path, if it is a normal file.
1416     ///
1417     /// If the path terminates in `.`, `..`, or consists solely or a root of
1418     /// prefix, `file_name` will return `None`.
1419     ///
1420     /// # Examples
1421     ///
1422     /// ```
1423     /// use std::path::Path;
1424     ///
1425     /// let path = Path::new("hello_world.rs");
1426     /// let filename = "hello_world.rs";
1427     ///
1428     /// assert_eq!(filename, path.file_name().unwrap());
1429     /// ```
1430     #[stable(feature = "rust1", since = "1.0.0")]
1431     pub fn file_name(&self) -> Option<&OsStr> {
1432         self.components().next_back().and_then(|p| match p {
1433             Component::Normal(p) => Some(p.as_ref()),
1434             _ => None
1435         })
1436     }
1437
1438     /// Returns a path that, when joined onto `base`, yields `self`.
1439     ///
1440     /// If `base` is not a prefix of `self` (i.e. `starts_with`
1441     /// returns false), then `relative_from` returns `None`.
1442     #[unstable(feature = "path_relative_from", reason = "see #23284")]
1443     pub fn relative_from<'a, P: ?Sized + AsRef<Path>>(&'a self, base: &'a P) -> Option<&Path>
1444     {
1445         iter_after(self.components(), base.as_ref().components()).map(|c| c.as_path())
1446     }
1447
1448     /// Determines whether `base` is a prefix of `self`.
1449     ///
1450     /// # Examples
1451     ///
1452     /// ```
1453     /// use std::path::Path;
1454     ///
1455     /// let path = Path::new("/etc/passwd");
1456     ///
1457     /// assert!(path.starts_with("/etc"));
1458     /// ```
1459     #[stable(feature = "rust1", since = "1.0.0")]
1460     pub fn starts_with<P: AsRef<Path>>(&self, base: P) -> bool {
1461         iter_after(self.components(), base.as_ref().components()).is_some()
1462     }
1463
1464     /// Determines whether `child` is a suffix of `self`.
1465     ///
1466     /// # Examples
1467     ///
1468     /// ```
1469     /// use std::path::Path;
1470     ///
1471     /// let path = Path::new("/etc/passwd");
1472     ///
1473     /// assert!(path.ends_with("passwd"));
1474     /// ```
1475     #[stable(feature = "rust1", since = "1.0.0")]
1476     pub fn ends_with<P: AsRef<Path>>(&self, child: P) -> bool {
1477         iter_after(self.components().rev(), child.as_ref().components().rev()).is_some()
1478     }
1479
1480     /// Extracts the stem (non-extension) portion of `self.file()`.
1481     ///
1482     /// The stem is:
1483     ///
1484     /// * None, if there is no file name;
1485     /// * The entire file name if there is no embedded `.`;
1486     /// * The entire file name if the file name begins with `.` and has no other `.`s within;
1487     /// * Otherwise, the portion of the file name before the final `.`
1488     ///
1489     /// # Examples
1490     ///
1491     /// ```
1492     /// use std::path::Path;
1493     ///
1494     /// let path = Path::new("foo.rs");
1495     ///
1496     /// assert_eq!("foo", path.file_stem().unwrap());
1497     /// ```
1498     #[stable(feature = "rust1", since = "1.0.0")]
1499     pub fn file_stem(&self) -> Option<&OsStr> {
1500         self.file_name().map(split_file_at_dot).and_then(|(before, after)| before.or(after))
1501     }
1502
1503     /// Extracts the extension of `self.file()`, if possible.
1504     ///
1505     /// The extension is:
1506     ///
1507     /// * None, if there is no file name;
1508     /// * None, if there is no embedded `.`;
1509     /// * None, if the file name begins with `.` and has no other `.`s within;
1510     /// * Otherwise, the portion of the file name after the final `.`
1511     ///
1512     /// # Examples
1513     ///
1514     /// ```
1515     /// use std::path::Path;
1516     ///
1517     /// let path = Path::new("foo.rs");
1518     ///
1519     /// assert_eq!("rs", path.extension().unwrap());
1520     /// ```
1521     #[stable(feature = "rust1", since = "1.0.0")]
1522     pub fn extension(&self) -> Option<&OsStr> {
1523         self.file_name().map(split_file_at_dot).and_then(|(before, after)| before.and(after))
1524     }
1525
1526     /// Creates an owned `PathBuf` with `path` adjoined to `self`.
1527     ///
1528     /// See `PathBuf::push` for more details on what it means to adjoin a path.
1529     ///
1530     /// # Examples
1531     ///
1532     /// ```
1533     /// use std::path::Path;
1534     ///
1535     /// let path = Path::new("/tmp");
1536     ///
1537     /// let new_path = path.join("foo");
1538     /// ```
1539     #[stable(feature = "rust1", since = "1.0.0")]
1540     pub fn join<P: AsRef<Path>>(&self, path: P) -> PathBuf {
1541         let mut buf = self.to_path_buf();
1542         buf.push(path);
1543         buf
1544     }
1545
1546     /// Creates an owned `PathBuf` like `self` but with the given file name.
1547     ///
1548     /// See `PathBuf::set_file_name` for more details.
1549     ///
1550     /// # Examples
1551     ///
1552     /// ```
1553     /// use std::path::Path;
1554     ///
1555     /// let path = Path::new("/tmp/foo.rs");
1556     ///
1557     /// let new_path = path.with_file_name("bar.rs");
1558     /// ```
1559     #[stable(feature = "rust1", since = "1.0.0")]
1560     pub fn with_file_name<S: AsRef<OsStr>>(&self, file_name: S) -> PathBuf {
1561         let mut buf = self.to_path_buf();
1562         buf.set_file_name(file_name);
1563         buf
1564     }
1565
1566     /// Creates an owned `PathBuf` like `self` but with the given extension.
1567     ///
1568     /// See `PathBuf::set_extension` for more details.
1569     ///
1570     /// # Examples
1571     ///
1572     /// ```
1573     /// use std::path::{Path, PathBuf};
1574     ///
1575     /// let path = Path::new("/tmp/foo.rs");
1576     ///
1577     /// let new_path = path.with_extension("txt");
1578     /// assert_eq!(new_path, PathBuf::from("/tmp/foo.txt"));
1579     /// ```
1580     #[stable(feature = "rust1", since = "1.0.0")]
1581     pub fn with_extension<S: AsRef<OsStr>>(&self, extension: S) -> PathBuf {
1582         let mut buf = self.to_path_buf();
1583         buf.set_extension(extension);
1584         buf
1585     }
1586
1587     /// Produce an iterator over the components of the path.
1588     ///
1589     /// # Examples
1590     ///
1591     /// ```
1592     /// use std::path::Path;
1593     ///
1594     /// let path = Path::new("/tmp/foo.rs");
1595     ///
1596     /// for component in path.components() {
1597     ///     println!("{:?}", component);
1598     /// }
1599     /// ```
1600     #[stable(feature = "rust1", since = "1.0.0")]
1601     pub fn components(&self) -> Components {
1602         let prefix = parse_prefix(self.as_os_str());
1603         Components {
1604             path: self.as_u8_slice(),
1605             prefix: prefix,
1606             has_physical_root: has_physical_root(self.as_u8_slice(), prefix),
1607             front: State::Prefix,
1608             back: State::Body,
1609         }
1610     }
1611
1612     /// Produce an iterator over the path's components viewed as `OsStr` slices.
1613     ///
1614     /// # Examples
1615     ///
1616     /// ```
1617     /// use std::path::Path;
1618     ///
1619     /// let path = Path::new("/tmp/foo.rs");
1620     ///
1621     /// for component in path.iter() {
1622     ///     println!("{:?}", component);
1623     /// }
1624     /// ```
1625     #[stable(feature = "rust1", since = "1.0.0")]
1626     pub fn iter(&self) -> Iter {
1627         Iter { inner: self.components() }
1628     }
1629
1630     /// Returns an object that implements `Display` for safely printing paths
1631     /// that may contain non-Unicode data.
1632     ///
1633     /// # Examples
1634     ///
1635     /// ```
1636     /// use std::path::Path;
1637     ///
1638     /// let path = Path::new("/tmp/foo.rs");
1639     ///
1640     /// println!("{}", path.display());
1641     /// ```
1642     #[stable(feature = "rust1", since = "1.0.0")]
1643     pub fn display(&self) -> Display {
1644         Display { path: self }
1645     }
1646 }
1647
1648 #[stable(feature = "rust1", since = "1.0.0")]
1649 impl AsRef<OsStr> for Path {
1650     fn as_ref(&self) -> &OsStr {
1651         &self.inner
1652     }
1653 }
1654
1655 #[stable(feature = "rust1", since = "1.0.0")]
1656 impl fmt::Debug for Path {
1657     fn fmt(&self, formatter: &mut fmt::Formatter) -> Result<(), fmt::Error> {
1658         self.inner.fmt(formatter)
1659     }
1660 }
1661
1662 /// Helper struct for safely printing paths with `format!()` and `{}`
1663 #[stable(feature = "rust1", since = "1.0.0")]
1664 pub struct Display<'a> {
1665     path: &'a Path
1666 }
1667
1668 #[stable(feature = "rust1", since = "1.0.0")]
1669 impl<'a> fmt::Debug for Display<'a> {
1670     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1671         fmt::Debug::fmt(&self.path.to_string_lossy(), f)
1672     }
1673 }
1674
1675 #[stable(feature = "rust1", since = "1.0.0")]
1676 impl<'a> fmt::Display for Display<'a> {
1677     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1678         fmt::Display::fmt(&self.path.to_string_lossy(), f)
1679     }
1680 }
1681
1682 #[stable(feature = "rust1", since = "1.0.0")]
1683 impl cmp::PartialEq for Path {
1684     fn eq(&self, other: &Path) -> bool {
1685         iter::order::eq(self.components(), other.components())
1686     }
1687 }
1688
1689 #[stable(feature = "rust1", since = "1.0.0")]
1690 impl cmp::Eq for Path {}
1691
1692 #[stable(feature = "rust1", since = "1.0.0")]
1693 impl cmp::PartialOrd for Path {
1694     fn partial_cmp(&self, other: &Path) -> Option<cmp::Ordering> {
1695         self.components().partial_cmp(&other.components())
1696     }
1697 }
1698
1699 #[stable(feature = "rust1", since = "1.0.0")]
1700 impl cmp::Ord for Path {
1701     fn cmp(&self, other: &Path) -> cmp::Ordering {
1702         self.components().cmp(&other.components())
1703     }
1704 }
1705
1706 #[stable(feature = "rust1", since = "1.0.0")]
1707 impl AsRef<Path> for Path {
1708     fn as_ref(&self) -> &Path { self }
1709 }
1710
1711 #[stable(feature = "rust1", since = "1.0.0")]
1712 impl AsRef<Path> for OsStr {
1713     fn as_ref(&self) -> &Path { Path::new(self) }
1714 }
1715
1716 #[stable(feature = "rust1", since = "1.0.0")]
1717 impl AsRef<Path> for OsString {
1718     fn as_ref(&self) -> &Path { Path::new(self) }
1719 }
1720
1721 #[stable(feature = "rust1", since = "1.0.0")]
1722 impl AsRef<Path> for str {
1723     fn as_ref(&self) -> &Path { Path::new(self) }
1724 }
1725
1726 #[stable(feature = "rust1", since = "1.0.0")]
1727 impl AsRef<Path> for String {
1728     fn as_ref(&self) -> &Path { Path::new(self) }
1729 }
1730
1731 #[stable(feature = "rust1", since = "1.0.0")]
1732 impl AsRef<Path> for PathBuf {
1733     fn as_ref(&self) -> &Path { self }
1734 }
1735
1736 #[cfg(test)]
1737 mod tests {
1738     use super::*;
1739     use core::prelude::*;
1740     use string::{ToString, String};
1741     use vec::Vec;
1742
1743     macro_rules! t(
1744         ($path:expr, iter: $iter:expr) => (
1745             {
1746                 let path = Path::new($path);
1747
1748                 // Forward iteration
1749                 let comps = path.iter()
1750                     .map(|p| p.to_string_lossy().into_owned())
1751                     .collect::<Vec<String>>();
1752                 let exp: &[&str] = &$iter;
1753                 let exps = exp.iter().map(|s| s.to_string()).collect::<Vec<String>>();
1754                 assert!(comps == exps, "iter: Expected {:?}, found {:?}",
1755                         exps, comps);
1756
1757                 // Reverse iteration
1758                 let comps = Path::new($path).iter().rev()
1759                     .map(|p| p.to_string_lossy().into_owned())
1760                     .collect::<Vec<String>>();
1761                 let exps = exps.into_iter().rev().collect::<Vec<String>>();
1762                 assert!(comps == exps, "iter().rev(): Expected {:?}, found {:?}",
1763                         exps, comps);
1764             }
1765         );
1766
1767         ($path:expr, has_root: $has_root:expr, is_absolute: $is_absolute:expr) => (
1768             {
1769                 let path = Path::new($path);
1770
1771                 let act_root = path.has_root();
1772                 assert!(act_root == $has_root, "has_root: Expected {:?}, found {:?}",
1773                         $has_root, act_root);
1774
1775                 let act_abs = path.is_absolute();
1776                 assert!(act_abs == $is_absolute, "is_absolute: Expected {:?}, found {:?}",
1777                         $is_absolute, act_abs);
1778             }
1779         );
1780
1781         ($path:expr, parent: $parent:expr, file_name: $file:expr) => (
1782             {
1783                 let path = Path::new($path);
1784
1785                 let parent = path.parent().map(|p| p.to_str().unwrap());
1786                 let exp_parent: Option<&str> = $parent;
1787                 assert!(parent == exp_parent, "parent: Expected {:?}, found {:?}",
1788                         exp_parent, parent);
1789
1790                 let file = path.file_name().map(|p| p.to_str().unwrap());
1791                 let exp_file: Option<&str> = $file;
1792                 assert!(file == exp_file, "file_name: Expected {:?}, found {:?}",
1793                         exp_file, file);
1794             }
1795         );
1796
1797         ($path:expr, file_stem: $file_stem:expr, extension: $extension:expr) => (
1798             {
1799                 let path = Path::new($path);
1800
1801                 let stem = path.file_stem().map(|p| p.to_str().unwrap());
1802                 let exp_stem: Option<&str> = $file_stem;
1803                 assert!(stem == exp_stem, "file_stem: Expected {:?}, found {:?}",
1804                         exp_stem, stem);
1805
1806                 let ext = path.extension().map(|p| p.to_str().unwrap());
1807                 let exp_ext: Option<&str> = $extension;
1808                 assert!(ext == exp_ext, "extension: Expected {:?}, found {:?}",
1809                         exp_ext, ext);
1810             }
1811         );
1812
1813         ($path:expr, iter: $iter:expr,
1814                      has_root: $has_root:expr, is_absolute: $is_absolute:expr,
1815                      parent: $parent:expr, file_name: $file:expr,
1816                      file_stem: $file_stem:expr, extension: $extension:expr) => (
1817             {
1818                 t!($path, iter: $iter);
1819                 t!($path, has_root: $has_root, is_absolute: $is_absolute);
1820                 t!($path, parent: $parent, file_name: $file);
1821                 t!($path, file_stem: $file_stem, extension: $extension);
1822             }
1823         );
1824     );
1825
1826     #[test]
1827     fn into_cow() {
1828         use borrow::{Cow, IntoCow};
1829
1830         let static_path = Path::new("/home/foo");
1831         let static_cow_path: Cow<'static, Path> = static_path.into_cow();
1832         let pathbuf = PathBuf::from("/home/foo");
1833
1834         {
1835             let path: &Path = &pathbuf;
1836             let borrowed_cow_path: Cow<Path> = path.into_cow();
1837
1838             assert_eq!(static_cow_path, borrowed_cow_path);
1839         }
1840
1841         let owned_cow_path: Cow<'static, Path> = pathbuf.into_cow();
1842
1843         assert_eq!(static_cow_path, owned_cow_path);
1844     }
1845
1846     #[test]
1847     #[cfg(unix)]
1848     pub fn test_decompositions_unix() {
1849         t!("",
1850            iter: [],
1851            has_root: false,
1852            is_absolute: false,
1853            parent: None,
1854            file_name: None,
1855            file_stem: None,
1856            extension: None
1857            );
1858
1859         t!("foo",
1860            iter: ["foo"],
1861            has_root: false,
1862            is_absolute: false,
1863            parent: Some(""),
1864            file_name: Some("foo"),
1865            file_stem: Some("foo"),
1866            extension: None
1867            );
1868
1869         t!("/",
1870            iter: ["/"],
1871            has_root: true,
1872            is_absolute: true,
1873            parent: None,
1874            file_name: None,
1875            file_stem: None,
1876            extension: None
1877            );
1878
1879         t!("/foo",
1880            iter: ["/", "foo"],
1881            has_root: true,
1882            is_absolute: true,
1883            parent: Some("/"),
1884            file_name: Some("foo"),
1885            file_stem: Some("foo"),
1886            extension: None
1887            );
1888
1889         t!("foo/",
1890            iter: ["foo"],
1891            has_root: false,
1892            is_absolute: false,
1893            parent: Some(""),
1894            file_name: Some("foo"),
1895            file_stem: Some("foo"),
1896            extension: None
1897            );
1898
1899         t!("/foo/",
1900            iter: ["/", "foo"],
1901            has_root: true,
1902            is_absolute: true,
1903            parent: Some("/"),
1904            file_name: Some("foo"),
1905            file_stem: Some("foo"),
1906            extension: None
1907            );
1908
1909         t!("foo/bar",
1910            iter: ["foo", "bar"],
1911            has_root: false,
1912            is_absolute: false,
1913            parent: Some("foo"),
1914            file_name: Some("bar"),
1915            file_stem: Some("bar"),
1916            extension: None
1917            );
1918
1919         t!("/foo/bar",
1920            iter: ["/", "foo", "bar"],
1921            has_root: true,
1922            is_absolute: true,
1923            parent: Some("/foo"),
1924            file_name: Some("bar"),
1925            file_stem: Some("bar"),
1926            extension: None
1927            );
1928
1929         t!("///foo///",
1930            iter: ["/", "foo"],
1931            has_root: true,
1932            is_absolute: true,
1933            parent: Some("/"),
1934            file_name: Some("foo"),
1935            file_stem: Some("foo"),
1936            extension: None
1937            );
1938
1939         t!("///foo///bar",
1940            iter: ["/", "foo", "bar"],
1941            has_root: true,
1942            is_absolute: true,
1943            parent: Some("///foo"),
1944            file_name: Some("bar"),
1945            file_stem: Some("bar"),
1946            extension: None
1947            );
1948
1949         t!("./.",
1950            iter: ["."],
1951            has_root: false,
1952            is_absolute: false,
1953            parent: Some(""),
1954            file_name: None,
1955            file_stem: None,
1956            extension: None
1957            );
1958
1959         t!("/..",
1960            iter: ["/", ".."],
1961            has_root: true,
1962            is_absolute: true,
1963            parent: Some("/"),
1964            file_name: None,
1965            file_stem: None,
1966            extension: None
1967            );
1968
1969         t!("../",
1970            iter: [".."],
1971            has_root: false,
1972            is_absolute: false,
1973            parent: Some(""),
1974            file_name: None,
1975            file_stem: None,
1976            extension: None
1977            );
1978
1979         t!("foo/.",
1980            iter: ["foo"],
1981            has_root: false,
1982            is_absolute: false,
1983            parent: Some(""),
1984            file_name: Some("foo"),
1985            file_stem: Some("foo"),
1986            extension: None
1987            );
1988
1989         t!("foo/..",
1990            iter: ["foo", ".."],
1991            has_root: false,
1992            is_absolute: false,
1993            parent: Some("foo"),
1994            file_name: None,
1995            file_stem: None,
1996            extension: None
1997            );
1998
1999         t!("foo/./",
2000            iter: ["foo"],
2001            has_root: false,
2002            is_absolute: false,
2003            parent: Some(""),
2004            file_name: Some("foo"),
2005            file_stem: Some("foo"),
2006            extension: None
2007            );
2008
2009         t!("foo/./bar",
2010            iter: ["foo", "bar"],
2011            has_root: false,
2012            is_absolute: false,
2013            parent: Some("foo"),
2014            file_name: Some("bar"),
2015            file_stem: Some("bar"),
2016            extension: None
2017            );
2018
2019         t!("foo/../",
2020            iter: ["foo", ".."],
2021            has_root: false,
2022            is_absolute: false,
2023            parent: Some("foo"),
2024            file_name: None,
2025            file_stem: None,
2026            extension: None
2027            );
2028
2029         t!("foo/../bar",
2030            iter: ["foo", "..", "bar"],
2031            has_root: false,
2032            is_absolute: false,
2033            parent: Some("foo/.."),
2034            file_name: Some("bar"),
2035            file_stem: Some("bar"),
2036            extension: None
2037            );
2038
2039         t!("./a",
2040            iter: [".", "a"],
2041            has_root: false,
2042            is_absolute: false,
2043            parent: Some("."),
2044            file_name: Some("a"),
2045            file_stem: Some("a"),
2046            extension: None
2047            );
2048
2049         t!(".",
2050            iter: ["."],
2051            has_root: false,
2052            is_absolute: false,
2053            parent: Some(""),
2054            file_name: None,
2055            file_stem: None,
2056            extension: None
2057            );
2058
2059         t!("./",
2060            iter: ["."],
2061            has_root: false,
2062            is_absolute: false,
2063            parent: Some(""),
2064            file_name: None,
2065            file_stem: None,
2066            extension: None
2067            );
2068
2069         t!("a/b",
2070            iter: ["a", "b"],
2071            has_root: false,
2072            is_absolute: false,
2073            parent: Some("a"),
2074            file_name: Some("b"),
2075            file_stem: Some("b"),
2076            extension: None
2077            );
2078
2079         t!("a//b",
2080            iter: ["a", "b"],
2081            has_root: false,
2082            is_absolute: false,
2083            parent: Some("a"),
2084            file_name: Some("b"),
2085            file_stem: Some("b"),
2086            extension: None
2087            );
2088
2089         t!("a/./b",
2090            iter: ["a", "b"],
2091            has_root: false,
2092            is_absolute: false,
2093            parent: Some("a"),
2094            file_name: Some("b"),
2095            file_stem: Some("b"),
2096            extension: None
2097            );
2098
2099         t!("a/b/c",
2100            iter: ["a", "b", "c"],
2101            has_root: false,
2102            is_absolute: false,
2103            parent: Some("a/b"),
2104            file_name: Some("c"),
2105            file_stem: Some("c"),
2106            extension: None
2107            );
2108
2109         t!(".foo",
2110            iter: [".foo"],
2111            has_root: false,
2112            is_absolute: false,
2113            parent: Some(""),
2114            file_name: Some(".foo"),
2115            file_stem: Some(".foo"),
2116            extension: None
2117            );
2118     }
2119
2120     #[test]
2121     #[cfg(windows)]
2122     pub fn test_decompositions_windows() {
2123         t!("",
2124            iter: [],
2125            has_root: false,
2126            is_absolute: false,
2127            parent: None,
2128            file_name: None,
2129            file_stem: None,
2130            extension: None
2131            );
2132
2133         t!("foo",
2134            iter: ["foo"],
2135            has_root: false,
2136            is_absolute: false,
2137            parent: Some(""),
2138            file_name: Some("foo"),
2139            file_stem: Some("foo"),
2140            extension: None
2141            );
2142
2143         t!("/",
2144            iter: ["\\"],
2145            has_root: true,
2146            is_absolute: false,
2147            parent: None,
2148            file_name: None,
2149            file_stem: None,
2150            extension: None
2151            );
2152
2153         t!("\\",
2154            iter: ["\\"],
2155            has_root: true,
2156            is_absolute: false,
2157            parent: None,
2158            file_name: None,
2159            file_stem: None,
2160            extension: None
2161            );
2162
2163         t!("c:",
2164            iter: ["c:"],
2165            has_root: false,
2166            is_absolute: false,
2167            parent: None,
2168            file_name: None,
2169            file_stem: None,
2170            extension: None
2171            );
2172
2173         t!("c:\\",
2174            iter: ["c:", "\\"],
2175            has_root: true,
2176            is_absolute: true,
2177            parent: None,
2178            file_name: None,
2179            file_stem: None,
2180            extension: None
2181            );
2182
2183         t!("c:/",
2184            iter: ["c:", "\\"],
2185            has_root: true,
2186            is_absolute: true,
2187            parent: None,
2188            file_name: None,
2189            file_stem: None,
2190            extension: None
2191            );
2192
2193         t!("/foo",
2194            iter: ["\\", "foo"],
2195            has_root: true,
2196            is_absolute: false,
2197            parent: Some("/"),
2198            file_name: Some("foo"),
2199            file_stem: Some("foo"),
2200            extension: None
2201            );
2202
2203         t!("foo/",
2204            iter: ["foo"],
2205            has_root: false,
2206            is_absolute: false,
2207            parent: Some(""),
2208            file_name: Some("foo"),
2209            file_stem: Some("foo"),
2210            extension: None
2211            );
2212
2213         t!("/foo/",
2214            iter: ["\\", "foo"],
2215            has_root: true,
2216            is_absolute: false,
2217            parent: Some("/"),
2218            file_name: Some("foo"),
2219            file_stem: Some("foo"),
2220            extension: None
2221            );
2222
2223         t!("foo/bar",
2224            iter: ["foo", "bar"],
2225            has_root: false,
2226            is_absolute: false,
2227            parent: Some("foo"),
2228            file_name: Some("bar"),
2229            file_stem: Some("bar"),
2230            extension: None
2231            );
2232
2233         t!("/foo/bar",
2234            iter: ["\\", "foo", "bar"],
2235            has_root: true,
2236            is_absolute: false,
2237            parent: Some("/foo"),
2238            file_name: Some("bar"),
2239            file_stem: Some("bar"),
2240            extension: None
2241            );
2242
2243         t!("///foo///",
2244            iter: ["\\", "foo"],
2245            has_root: true,
2246            is_absolute: false,
2247            parent: Some("/"),
2248            file_name: Some("foo"),
2249            file_stem: Some("foo"),
2250            extension: None
2251            );
2252
2253         t!("///foo///bar",
2254            iter: ["\\", "foo", "bar"],
2255            has_root: true,
2256            is_absolute: false,
2257            parent: Some("///foo"),
2258            file_name: Some("bar"),
2259            file_stem: Some("bar"),
2260            extension: None
2261            );
2262
2263         t!("./.",
2264            iter: ["."],
2265            has_root: false,
2266            is_absolute: false,
2267            parent: Some(""),
2268            file_name: None,
2269            file_stem: None,
2270            extension: None
2271            );
2272
2273         t!("/..",
2274            iter: ["\\", ".."],
2275            has_root: true,
2276            is_absolute: false,
2277            parent: Some("/"),
2278            file_name: None,
2279            file_stem: None,
2280            extension: None
2281            );
2282
2283         t!("../",
2284            iter: [".."],
2285            has_root: false,
2286            is_absolute: false,
2287            parent: Some(""),
2288            file_name: None,
2289            file_stem: None,
2290            extension: None
2291            );
2292
2293         t!("foo/.",
2294            iter: ["foo"],
2295            has_root: false,
2296            is_absolute: false,
2297            parent: Some(""),
2298            file_name: Some("foo"),
2299            file_stem: Some("foo"),
2300            extension: None
2301            );
2302
2303         t!("foo/..",
2304            iter: ["foo", ".."],
2305            has_root: false,
2306            is_absolute: false,
2307            parent: Some("foo"),
2308            file_name: None,
2309            file_stem: None,
2310            extension: None
2311            );
2312
2313         t!("foo/./",
2314            iter: ["foo"],
2315            has_root: false,
2316            is_absolute: false,
2317            parent: Some(""),
2318            file_name: Some("foo"),
2319            file_stem: Some("foo"),
2320            extension: None
2321            );
2322
2323         t!("foo/./bar",
2324            iter: ["foo", "bar"],
2325            has_root: false,
2326            is_absolute: false,
2327            parent: Some("foo"),
2328            file_name: Some("bar"),
2329            file_stem: Some("bar"),
2330            extension: None
2331            );
2332
2333         t!("foo/../",
2334            iter: ["foo", ".."],
2335            has_root: false,
2336            is_absolute: false,
2337            parent: Some("foo"),
2338            file_name: None,
2339            file_stem: None,
2340            extension: None
2341            );
2342
2343         t!("foo/../bar",
2344            iter: ["foo", "..", "bar"],
2345            has_root: false,
2346            is_absolute: false,
2347            parent: Some("foo/.."),
2348            file_name: Some("bar"),
2349            file_stem: Some("bar"),
2350            extension: None
2351            );
2352
2353         t!("./a",
2354            iter: [".", "a"],
2355            has_root: false,
2356            is_absolute: false,
2357            parent: Some("."),
2358            file_name: Some("a"),
2359            file_stem: Some("a"),
2360            extension: None
2361            );
2362
2363         t!(".",
2364            iter: ["."],
2365            has_root: false,
2366            is_absolute: false,
2367            parent: Some(""),
2368            file_name: None,
2369            file_stem: None,
2370            extension: None
2371            );
2372
2373         t!("./",
2374            iter: ["."],
2375            has_root: false,
2376            is_absolute: false,
2377            parent: Some(""),
2378            file_name: None,
2379            file_stem: None,
2380            extension: None
2381            );
2382
2383         t!("a/b",
2384            iter: ["a", "b"],
2385            has_root: false,
2386            is_absolute: false,
2387            parent: Some("a"),
2388            file_name: Some("b"),
2389            file_stem: Some("b"),
2390            extension: None
2391            );
2392
2393         t!("a//b",
2394            iter: ["a", "b"],
2395            has_root: false,
2396            is_absolute: false,
2397            parent: Some("a"),
2398            file_name: Some("b"),
2399            file_stem: Some("b"),
2400            extension: None
2401            );
2402
2403         t!("a/./b",
2404            iter: ["a", "b"],
2405            has_root: false,
2406            is_absolute: false,
2407            parent: Some("a"),
2408            file_name: Some("b"),
2409            file_stem: Some("b"),
2410            extension: None
2411            );
2412
2413         t!("a/b/c",
2414            iter: ["a", "b", "c"],
2415            has_root: false,
2416            is_absolute: false,
2417            parent: Some("a/b"),
2418            file_name: Some("c"),
2419            file_stem: Some("c"),
2420            extension: None);
2421
2422         t!("a\\b\\c",
2423            iter: ["a", "b", "c"],
2424            has_root: false,
2425            is_absolute: false,
2426            parent: Some("a\\b"),
2427            file_name: Some("c"),
2428            file_stem: Some("c"),
2429            extension: None
2430            );
2431
2432         t!("\\a",
2433            iter: ["\\", "a"],
2434            has_root: true,
2435            is_absolute: false,
2436            parent: Some("\\"),
2437            file_name: Some("a"),
2438            file_stem: Some("a"),
2439            extension: None
2440            );
2441
2442         t!("c:\\foo.txt",
2443            iter: ["c:", "\\", "foo.txt"],
2444            has_root: true,
2445            is_absolute: true,
2446            parent: Some("c:\\"),
2447            file_name: Some("foo.txt"),
2448            file_stem: Some("foo"),
2449            extension: Some("txt")
2450            );
2451
2452         t!("\\\\server\\share\\foo.txt",
2453            iter: ["\\\\server\\share", "\\", "foo.txt"],
2454            has_root: true,
2455            is_absolute: true,
2456            parent: Some("\\\\server\\share\\"),
2457            file_name: Some("foo.txt"),
2458            file_stem: Some("foo"),
2459            extension: Some("txt")
2460            );
2461
2462         t!("\\\\server\\share",
2463            iter: ["\\\\server\\share", "\\"],
2464            has_root: true,
2465            is_absolute: true,
2466            parent: None,
2467            file_name: None,
2468            file_stem: None,
2469            extension: None
2470            );
2471
2472         t!("\\\\server",
2473            iter: ["\\", "server"],
2474            has_root: true,
2475            is_absolute: false,
2476            parent: Some("\\"),
2477            file_name: Some("server"),
2478            file_stem: Some("server"),
2479            extension: None
2480            );
2481
2482         t!("\\\\?\\bar\\foo.txt",
2483            iter: ["\\\\?\\bar", "\\", "foo.txt"],
2484            has_root: true,
2485            is_absolute: true,
2486            parent: Some("\\\\?\\bar\\"),
2487            file_name: Some("foo.txt"),
2488            file_stem: Some("foo"),
2489            extension: Some("txt")
2490            );
2491
2492         t!("\\\\?\\bar",
2493            iter: ["\\\\?\\bar"],
2494            has_root: true,
2495            is_absolute: true,
2496            parent: None,
2497            file_name: None,
2498            file_stem: None,
2499            extension: None
2500            );
2501
2502         t!("\\\\?\\",
2503            iter: ["\\\\?\\"],
2504            has_root: true,
2505            is_absolute: true,
2506            parent: None,
2507            file_name: None,
2508            file_stem: None,
2509            extension: None
2510            );
2511
2512         t!("\\\\?\\UNC\\server\\share\\foo.txt",
2513            iter: ["\\\\?\\UNC\\server\\share", "\\", "foo.txt"],
2514            has_root: true,
2515            is_absolute: true,
2516            parent: Some("\\\\?\\UNC\\server\\share\\"),
2517            file_name: Some("foo.txt"),
2518            file_stem: Some("foo"),
2519            extension: Some("txt")
2520            );
2521
2522         t!("\\\\?\\UNC\\server",
2523            iter: ["\\\\?\\UNC\\server"],
2524            has_root: true,
2525            is_absolute: true,
2526            parent: None,
2527            file_name: None,
2528            file_stem: None,
2529            extension: None
2530            );
2531
2532         t!("\\\\?\\UNC\\",
2533            iter: ["\\\\?\\UNC\\"],
2534            has_root: true,
2535            is_absolute: true,
2536            parent: None,
2537            file_name: None,
2538            file_stem: None,
2539            extension: None
2540            );
2541
2542         t!("\\\\?\\C:\\foo.txt",
2543            iter: ["\\\\?\\C:", "\\", "foo.txt"],
2544            has_root: true,
2545            is_absolute: true,
2546            parent: Some("\\\\?\\C:\\"),
2547            file_name: Some("foo.txt"),
2548            file_stem: Some("foo"),
2549            extension: Some("txt")
2550            );
2551
2552
2553         t!("\\\\?\\C:\\",
2554            iter: ["\\\\?\\C:", "\\"],
2555            has_root: true,
2556            is_absolute: true,
2557            parent: None,
2558            file_name: None,
2559            file_stem: None,
2560            extension: None
2561            );
2562
2563
2564         t!("\\\\?\\C:",
2565            iter: ["\\\\?\\C:"],
2566            has_root: true,
2567            is_absolute: true,
2568            parent: None,
2569            file_name: None,
2570            file_stem: None,
2571            extension: None
2572            );
2573
2574
2575         t!("\\\\?\\foo/bar",
2576            iter: ["\\\\?\\foo/bar"],
2577            has_root: true,
2578            is_absolute: true,
2579            parent: None,
2580            file_name: None,
2581            file_stem: None,
2582            extension: None
2583            );
2584
2585
2586         t!("\\\\?\\C:/foo",
2587            iter: ["\\\\?\\C:/foo"],
2588            has_root: true,
2589            is_absolute: true,
2590            parent: None,
2591            file_name: None,
2592            file_stem: None,
2593            extension: None
2594            );
2595
2596
2597         t!("\\\\.\\foo\\bar",
2598            iter: ["\\\\.\\foo", "\\", "bar"],
2599            has_root: true,
2600            is_absolute: true,
2601            parent: Some("\\\\.\\foo\\"),
2602            file_name: Some("bar"),
2603            file_stem: Some("bar"),
2604            extension: None
2605            );
2606
2607
2608         t!("\\\\.\\foo",
2609            iter: ["\\\\.\\foo", "\\"],
2610            has_root: true,
2611            is_absolute: true,
2612            parent: None,
2613            file_name: None,
2614            file_stem: None,
2615            extension: None
2616            );
2617
2618
2619         t!("\\\\.\\foo/bar",
2620            iter: ["\\\\.\\foo/bar", "\\"],
2621            has_root: true,
2622            is_absolute: true,
2623            parent: None,
2624            file_name: None,
2625            file_stem: None,
2626            extension: None
2627            );
2628
2629
2630         t!("\\\\.\\foo\\bar/baz",
2631            iter: ["\\\\.\\foo", "\\", "bar", "baz"],
2632            has_root: true,
2633            is_absolute: true,
2634            parent: Some("\\\\.\\foo\\bar"),
2635            file_name: Some("baz"),
2636            file_stem: Some("baz"),
2637            extension: None
2638            );
2639
2640
2641         t!("\\\\.\\",
2642            iter: ["\\\\.\\", "\\"],
2643            has_root: true,
2644            is_absolute: true,
2645            parent: None,
2646            file_name: None,
2647            file_stem: None,
2648            extension: None
2649            );
2650
2651         t!("\\\\?\\a\\b\\",
2652            iter: ["\\\\?\\a", "\\", "b"],
2653            has_root: true,
2654            is_absolute: true,
2655            parent: Some("\\\\?\\a\\"),
2656            file_name: Some("b"),
2657            file_stem: Some("b"),
2658            extension: None
2659            );
2660     }
2661
2662     #[test]
2663     pub fn test_stem_ext() {
2664         t!("foo",
2665            file_stem: Some("foo"),
2666            extension: None
2667            );
2668
2669         t!("foo.",
2670            file_stem: Some("foo"),
2671            extension: Some("")
2672            );
2673
2674         t!(".foo",
2675            file_stem: Some(".foo"),
2676            extension: None
2677            );
2678
2679         t!("foo.txt",
2680            file_stem: Some("foo"),
2681            extension: Some("txt")
2682            );
2683
2684         t!("foo.bar.txt",
2685            file_stem: Some("foo.bar"),
2686            extension: Some("txt")
2687            );
2688
2689         t!("foo.bar.",
2690            file_stem: Some("foo.bar"),
2691            extension: Some("")
2692            );
2693
2694         t!(".",
2695            file_stem: None,
2696            extension: None
2697            );
2698
2699         t!("..",
2700            file_stem: None,
2701            extension: None
2702            );
2703
2704         t!("",
2705            file_stem: None,
2706            extension: None
2707            );
2708     }
2709
2710     #[test]
2711     pub fn test_push() {
2712         macro_rules! tp(
2713             ($path:expr, $push:expr, $expected:expr) => ( {
2714                 let mut actual = PathBuf::from($path);
2715                 actual.push($push);
2716                 assert!(actual.to_str() == Some($expected),
2717                         "pushing {:?} onto {:?}: Expected {:?}, got {:?}",
2718                         $push, $path, $expected, actual.to_str().unwrap());
2719             });
2720         );
2721
2722         if cfg!(unix) {
2723             tp!("", "foo", "foo");
2724             tp!("foo", "bar", "foo/bar");
2725             tp!("foo/", "bar", "foo/bar");
2726             tp!("foo//", "bar", "foo//bar");
2727             tp!("foo/.", "bar", "foo/./bar");
2728             tp!("foo./.", "bar", "foo././bar");
2729             tp!("foo", "", "foo/");
2730             tp!("foo", ".", "foo/.");
2731             tp!("foo", "..", "foo/..");
2732             tp!("foo", "/", "/");
2733             tp!("/foo/bar", "/", "/");
2734             tp!("/foo/bar", "/baz", "/baz");
2735             tp!("/foo/bar", "./baz", "/foo/bar/./baz");
2736         } else {
2737             tp!("", "foo", "foo");
2738             tp!("foo", "bar", r"foo\bar");
2739             tp!("foo/", "bar", r"foo/bar");
2740             tp!(r"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!("foo./.", "bar", r"foo./.\bar");
2745             tp!(r"foo\.", "bar", r"foo\.\bar");
2746             tp!(r"foo.\.", "bar", r"foo.\.\bar");
2747             tp!("foo", "", "foo\\");
2748             tp!("foo", ".", r"foo\.");
2749             tp!("foo", "..", r"foo\..");
2750             tp!("foo", "/", "/");
2751             tp!("foo", r"\", r"\");
2752             tp!("/foo/bar", "/", "/");
2753             tp!(r"\foo\bar", r"\", r"\");
2754             tp!("/foo/bar", "/baz", "/baz");
2755             tp!("/foo/bar", r"\baz", r"\baz");
2756             tp!("/foo/bar", "./baz", r"/foo/bar\./baz");
2757             tp!("/foo/bar", r".\baz", r"/foo/bar\.\baz");
2758
2759             tp!("c:\\", "windows", "c:\\windows");
2760             tp!("c:", "windows", "c:windows");
2761
2762             tp!("a\\b\\c", "d", "a\\b\\c\\d");
2763             tp!("\\a\\b\\c", "d", "\\a\\b\\c\\d");
2764             tp!("a\\b", "c\\d", "a\\b\\c\\d");
2765             tp!("a\\b", "\\c\\d", "\\c\\d");
2766             tp!("a\\b", ".", "a\\b\\.");
2767             tp!("a\\b", "..\\c", "a\\b\\..\\c");
2768             tp!("a\\b", "C:a.txt", "C:a.txt");
2769             tp!("a\\b", "C:\\a.txt", "C:\\a.txt");
2770             tp!("C:\\a", "C:\\b.txt", "C:\\b.txt");
2771             tp!("C:\\a\\b\\c", "C:d", "C:d");
2772             tp!("C:a\\b\\c", "C:d", "C:d");
2773             tp!("C:", r"a\b\c", r"C:a\b\c");
2774             tp!("C:", r"..\a", r"C:..\a");
2775             tp!("\\\\server\\share\\foo", "bar", "\\\\server\\share\\foo\\bar");
2776             tp!("\\\\server\\share\\foo", "C:baz", "C:baz");
2777             tp!("\\\\?\\C:\\a\\b", "C:c\\d", "C:c\\d");
2778             tp!("\\\\?\\C:a\\b", "C:c\\d", "C:c\\d");
2779             tp!("\\\\?\\C:\\a\\b", "C:\\c\\d", "C:\\c\\d");
2780             tp!("\\\\?\\foo\\bar", "baz", "\\\\?\\foo\\bar\\baz");
2781             tp!("\\\\?\\UNC\\server\\share\\foo", "bar", "\\\\?\\UNC\\server\\share\\foo\\bar");
2782             tp!("\\\\?\\UNC\\server\\share", "C:\\a", "C:\\a");
2783             tp!("\\\\?\\UNC\\server\\share", "C:a", "C:a");
2784
2785             // Note: modified from old path API
2786             tp!("\\\\?\\UNC\\server", "foo", "\\\\?\\UNC\\server\\foo");
2787
2788             tp!("C:\\a", "\\\\?\\UNC\\server\\share", "\\\\?\\UNC\\server\\share");
2789             tp!("\\\\.\\foo\\bar", "baz", "\\\\.\\foo\\bar\\baz");
2790             tp!("\\\\.\\foo\\bar", "C:a", "C:a");
2791             // again, not sure about the following, but I'm assuming \\.\ should be verbatim
2792             tp!("\\\\.\\foo", "..\\bar", "\\\\.\\foo\\..\\bar");
2793
2794             tp!("\\\\?\\C:", "foo", "\\\\?\\C:\\foo"); // this is a weird one
2795         }
2796     }
2797
2798     #[test]
2799     pub fn test_pop() {
2800         macro_rules! tp(
2801             ($path:expr, $expected:expr, $output:expr) => ( {
2802                 let mut actual = PathBuf::from($path);
2803                 let output = actual.pop();
2804                 assert!(actual.to_str() == Some($expected) && output == $output,
2805                         "popping from {:?}: Expected {:?}/{:?}, got {:?}/{:?}",
2806                         $path, $expected, $output,
2807                         actual.to_str().unwrap(), output);
2808             });
2809         );
2810
2811         tp!("", "", false);
2812         tp!("/", "/", false);
2813         tp!("foo", "", true);
2814         tp!(".", "", true);
2815         tp!("/foo", "/", true);
2816         tp!("/foo/bar", "/foo", true);
2817         tp!("foo/bar", "foo", true);
2818         tp!("foo/.", "", true);
2819         tp!("foo//bar", "foo", true);
2820
2821         if cfg!(windows) {
2822             tp!("a\\b\\c", "a\\b", true);
2823             tp!("\\a", "\\", true);
2824             tp!("\\", "\\", false);
2825
2826             tp!("C:\\a\\b", "C:\\a", true);
2827             tp!("C:\\a", "C:\\", true);
2828             tp!("C:\\", "C:\\", false);
2829             tp!("C:a\\b", "C:a", true);
2830             tp!("C:a", "C:", true);
2831             tp!("C:", "C:", false);
2832             tp!("\\\\server\\share\\a\\b", "\\\\server\\share\\a", true);
2833             tp!("\\\\server\\share\\a", "\\\\server\\share\\", true);
2834             tp!("\\\\server\\share", "\\\\server\\share", false);
2835             tp!("\\\\?\\a\\b\\c", "\\\\?\\a\\b", true);
2836             tp!("\\\\?\\a\\b", "\\\\?\\a\\", true);
2837             tp!("\\\\?\\a", "\\\\?\\a", false);
2838             tp!("\\\\?\\C:\\a\\b", "\\\\?\\C:\\a", true);
2839             tp!("\\\\?\\C:\\a", "\\\\?\\C:\\", true);
2840             tp!("\\\\?\\C:\\", "\\\\?\\C:\\", false);
2841             tp!("\\\\?\\UNC\\server\\share\\a\\b", "\\\\?\\UNC\\server\\share\\a", true);
2842             tp!("\\\\?\\UNC\\server\\share\\a", "\\\\?\\UNC\\server\\share\\", true);
2843             tp!("\\\\?\\UNC\\server\\share", "\\\\?\\UNC\\server\\share", false);
2844             tp!("\\\\.\\a\\b\\c", "\\\\.\\a\\b", true);
2845             tp!("\\\\.\\a\\b", "\\\\.\\a\\", true);
2846             tp!("\\\\.\\a", "\\\\.\\a", false);
2847
2848             tp!("\\\\?\\a\\b\\", "\\\\?\\a\\", true);
2849         }
2850     }
2851
2852     #[test]
2853     pub fn test_set_file_name() {
2854         macro_rules! tfn(
2855                 ($path:expr, $file:expr, $expected:expr) => ( {
2856                 let mut p = PathBuf::from($path);
2857                 p.set_file_name($file);
2858                 assert!(p.to_str() == Some($expected),
2859                         "setting file name of {:?} to {:?}: Expected {:?}, got {:?}",
2860                         $path, $file, $expected,
2861                         p.to_str().unwrap());
2862             });
2863         );
2864
2865         tfn!("foo", "foo", "foo");
2866         tfn!("foo", "bar", "bar");
2867         tfn!("foo", "", "");
2868         tfn!("", "foo", "foo");
2869         if cfg!(unix) {
2870             tfn!(".", "foo", "./foo");
2871             tfn!("foo/", "bar", "bar");
2872             tfn!("foo/.", "bar", "bar");
2873             tfn!("..", "foo", "../foo");
2874             tfn!("foo/..", "bar", "foo/../bar");
2875             tfn!("/", "foo", "/foo");
2876         } else {
2877             tfn!(".", "foo", r".\foo");
2878             tfn!(r"foo\", "bar", r"bar");
2879             tfn!(r"foo\.", "bar", r"bar");
2880             tfn!("..", "foo", r"..\foo");
2881             tfn!(r"foo\..", "bar", r"foo\..\bar");
2882             tfn!(r"\", "foo", r"\foo");
2883         }
2884     }
2885
2886     #[test]
2887     pub fn test_set_extension() {
2888         macro_rules! tfe(
2889                 ($path:expr, $ext:expr, $expected:expr, $output:expr) => ( {
2890                 let mut p = PathBuf::from($path);
2891                 let output = p.set_extension($ext);
2892                 assert!(p.to_str() == Some($expected) && output == $output,
2893                         "setting extension of {:?} to {:?}: Expected {:?}/{:?}, got {:?}/{:?}",
2894                         $path, $ext, $expected, $output,
2895                         p.to_str().unwrap(), output);
2896             });
2897         );
2898
2899         tfe!("foo", "txt", "foo.txt", true);
2900         tfe!("foo.bar", "txt", "foo.txt", true);
2901         tfe!("foo.bar.baz", "txt", "foo.bar.txt", true);
2902         tfe!(".test", "txt", ".test.txt", true);
2903         tfe!("foo.txt", "", "foo", true);
2904         tfe!("foo", "", "foo", true);
2905         tfe!("", "foo", "", false);
2906         tfe!(".", "foo", ".", false);
2907         tfe!("foo/", "bar", "foo.bar", true);
2908         tfe!("foo/.", "bar", "foo.bar", true);
2909         tfe!("..", "foo", "..",  false);
2910         tfe!("foo/..", "bar", "foo/..", false);
2911         tfe!("/", "foo", "/", false);
2912     }
2913
2914     #[test]
2915     pub fn test_compare() {
2916         macro_rules! tc(
2917             ($path1:expr, $path2:expr, eq: $eq:expr,
2918              starts_with: $starts_with:expr, ends_with: $ends_with:expr,
2919              relative_from: $relative_from:expr) => ({
2920                  let path1 = Path::new($path1);
2921                  let path2 = Path::new($path2);
2922
2923                  let eq = path1 == path2;
2924                  assert!(eq == $eq, "{:?} == {:?}, expected {:?}, got {:?}",
2925                          $path1, $path2, $eq, eq);
2926
2927                  let starts_with = path1.starts_with(path2);
2928                  assert!(starts_with == $starts_with,
2929                          "{:?}.starts_with({:?}), expected {:?}, got {:?}", $path1, $path2,
2930                          $starts_with, starts_with);
2931
2932                  let ends_with = path1.ends_with(path2);
2933                  assert!(ends_with == $ends_with,
2934                          "{:?}.ends_with({:?}), expected {:?}, got {:?}", $path1, $path2,
2935                          $ends_with, ends_with);
2936
2937                  let relative_from = path1.relative_from(path2).map(|p| p.to_str().unwrap());
2938                  let exp: Option<&str> = $relative_from;
2939                  assert!(relative_from == exp,
2940                          "{:?}.relative_from({:?}), expected {:?}, got {:?}", $path1, $path2,
2941                          exp, relative_from);
2942             });
2943         );
2944
2945         tc!("", "",
2946             eq: true,
2947             starts_with: true,
2948             ends_with: true,
2949             relative_from: Some("")
2950             );
2951
2952         tc!("foo", "",
2953             eq: false,
2954             starts_with: true,
2955             ends_with: true,
2956             relative_from: Some("foo")
2957             );
2958
2959         tc!("", "foo",
2960             eq: false,
2961             starts_with: false,
2962             ends_with: false,
2963             relative_from: None
2964             );
2965
2966         tc!("foo", "foo",
2967             eq: true,
2968             starts_with: true,
2969             ends_with: true,
2970             relative_from: Some("")
2971             );
2972
2973         tc!("foo/", "foo",
2974             eq: true,
2975             starts_with: true,
2976             ends_with: true,
2977             relative_from: Some("")
2978             );
2979
2980         tc!("foo/bar", "foo",
2981             eq: false,
2982             starts_with: true,
2983             ends_with: false,
2984             relative_from: Some("bar")
2985             );
2986
2987         tc!("foo/bar/baz", "foo/bar",
2988             eq: false,
2989             starts_with: true,
2990             ends_with: false,
2991             relative_from: Some("baz")
2992             );
2993
2994         tc!("foo/bar", "foo/bar/baz",
2995             eq: false,
2996             starts_with: false,
2997             ends_with: false,
2998             relative_from: None
2999             );
3000
3001         tc!("./foo/bar/", ".",
3002             eq: false,
3003             starts_with: true,
3004             ends_with: false,
3005             relative_from: Some("foo/bar")
3006             );
3007
3008         if cfg!(windows) {
3009             tc!(r"C:\src\rust\cargo-test\test\Cargo.toml",
3010                 r"c:\src\rust\cargo-test\test",
3011                 eq: false,
3012                 starts_with: true,
3013                 ends_with: false,
3014                 relative_from: Some("Cargo.toml")
3015                 );
3016
3017             tc!(r"c:\foo", r"C:\foo",
3018                 eq: true,
3019                 starts_with: true,
3020                 ends_with: true,
3021                 relative_from: Some("")
3022                 );
3023         }
3024     }
3025 }