]> git.lizzy.rs Git - rust.git/blob - src/libstd/sys/windows/fs.rs
Rollup merge of #31411 - tshepang:idiom, r=steveklabnik
[rust.git] / src / libstd / sys / windows / fs.rs
1 // Copyright 2014 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 use io::prelude::*;
12 use os::windows::prelude::*;
13
14 use ffi::OsString;
15 use fmt;
16 use io::{self, Error, SeekFrom};
17 use mem;
18 use path::{Path, PathBuf};
19 use ptr;
20 use slice;
21 use sync::Arc;
22 use sys::handle::Handle;
23 use sys::{c, cvt};
24 use sys_common::FromInner;
25
26 use super::to_u16s;
27
28 pub struct File { handle: Handle }
29
30 #[derive(Clone)]
31 pub struct FileAttr {
32     data: c::WIN32_FILE_ATTRIBUTE_DATA,
33     reparse_tag: c::DWORD,
34 }
35
36 #[derive(Copy, Clone, PartialEq, Eq, Hash)]
37 pub enum FileType {
38     Dir, File, SymlinkFile, SymlinkDir, ReparsePoint, MountPoint,
39 }
40
41 pub struct ReadDir {
42     handle: FindNextFileHandle,
43     root: Arc<PathBuf>,
44     first: Option<c::WIN32_FIND_DATAW>,
45 }
46
47 struct FindNextFileHandle(c::HANDLE);
48
49 unsafe impl Send for FindNextFileHandle {}
50 unsafe impl Sync for FindNextFileHandle {}
51
52 pub struct DirEntry {
53     root: Arc<PathBuf>,
54     data: c::WIN32_FIND_DATAW,
55 }
56
57 #[derive(Clone)]
58 pub struct OpenOptions {
59     // generic
60     read: bool,
61     write: bool,
62     append: bool,
63     truncate: bool,
64     create: bool,
65     create_new: bool,
66     // system-specific
67     custom_flags: u32,
68     access_mode: Option<c::DWORD>,
69     attributes: c::DWORD,
70     share_mode: c::DWORD,
71     security_qos_flags: c::DWORD,
72     security_attributes: usize, // FIXME: should be a reference
73 }
74
75 #[derive(Clone, PartialEq, Eq, Debug)]
76 pub struct FilePermissions { attrs: c::DWORD }
77
78 pub struct DirBuilder;
79
80 impl Iterator for ReadDir {
81     type Item = io::Result<DirEntry>;
82     fn next(&mut self) -> Option<io::Result<DirEntry>> {
83         if let Some(first) = self.first.take() {
84             if let Some(e) = DirEntry::new(&self.root, &first) {
85                 return Some(Ok(e));
86             }
87         }
88         unsafe {
89             let mut wfd = mem::zeroed();
90             loop {
91                 if c::FindNextFileW(self.handle.0, &mut wfd) == 0 {
92                     if c::GetLastError() == c::ERROR_NO_MORE_FILES {
93                         return None
94                     } else {
95                         return Some(Err(Error::last_os_error()))
96                     }
97                 }
98                 if let Some(e) = DirEntry::new(&self.root, &wfd) {
99                     return Some(Ok(e))
100                 }
101             }
102         }
103     }
104 }
105
106 impl Drop for FindNextFileHandle {
107     fn drop(&mut self) {
108         let r = unsafe { c::FindClose(self.0) };
109         debug_assert!(r != 0);
110     }
111 }
112
113 impl DirEntry {
114     fn new(root: &Arc<PathBuf>, wfd: &c::WIN32_FIND_DATAW) -> Option<DirEntry> {
115         match &wfd.cFileName[0..3] {
116             // check for '.' and '..'
117             [46, 0, ..] |
118             [46, 46, 0, ..] => return None,
119             _ => {}
120         }
121
122         Some(DirEntry {
123             root: root.clone(),
124             data: *wfd,
125         })
126     }
127
128     pub fn path(&self) -> PathBuf {
129         self.root.join(&self.file_name())
130     }
131
132     pub fn file_name(&self) -> OsString {
133         let filename = super::truncate_utf16_at_nul(&self.data.cFileName);
134         OsString::from_wide(filename)
135     }
136
137     pub fn file_type(&self) -> io::Result<FileType> {
138         Ok(FileType::new(self.data.dwFileAttributes,
139                          /* reparse_tag = */ self.data.dwReserved0))
140     }
141
142     pub fn metadata(&self) -> io::Result<FileAttr> {
143         Ok(FileAttr {
144             data: c::WIN32_FILE_ATTRIBUTE_DATA {
145                 dwFileAttributes: self.data.dwFileAttributes,
146                 ftCreationTime: self.data.ftCreationTime,
147                 ftLastAccessTime: self.data.ftLastAccessTime,
148                 ftLastWriteTime: self.data.ftLastWriteTime,
149                 nFileSizeHigh: self.data.nFileSizeHigh,
150                 nFileSizeLow: self.data.nFileSizeLow,
151             },
152             reparse_tag: self.data.dwReserved0,
153         })
154     }
155 }
156
157 impl OpenOptions {
158     pub fn new() -> OpenOptions {
159         OpenOptions {
160             // generic
161             read: false,
162             write: false,
163             append: false,
164             truncate: false,
165             create: false,
166             create_new: false,
167             // system-specific
168             custom_flags: 0,
169             access_mode: None,
170             share_mode: c::FILE_SHARE_READ | c::FILE_SHARE_WRITE | c::FILE_SHARE_DELETE,
171             attributes: 0,
172             security_qos_flags: 0,
173             security_attributes: 0,
174         }
175     }
176
177     pub fn read(&mut self, read: bool) { self.read = read; }
178     pub fn write(&mut self, write: bool) { self.write = write; }
179     pub fn append(&mut self, append: bool) { self.append = append; }
180     pub fn truncate(&mut self, truncate: bool) { self.truncate = truncate; }
181     pub fn create(&mut self, create: bool) { self.create = create; }
182     pub fn create_new(&mut self, create_new: bool) { self.create_new = create_new; }
183
184     pub fn custom_flags(&mut self, flags: u32) { self.custom_flags = flags; }
185     pub fn access_mode(&mut self, access_mode: u32) { self.access_mode = Some(access_mode); }
186     pub fn share_mode(&mut self, share_mode: u32) { self.share_mode = share_mode; }
187     pub fn attributes(&mut self, attrs: u32) { self.attributes = attrs; }
188     pub fn security_qos_flags(&mut self, flags: u32) { self.security_qos_flags = flags; }
189     pub fn security_attributes(&mut self, attrs: c::LPSECURITY_ATTRIBUTES) {
190         self.security_attributes = attrs as usize;
191     }
192
193     fn get_access_mode(&self) -> io::Result<c::DWORD> {
194         const ERROR_INVALID_PARAMETER: i32 = 87;
195
196         match (self.read, self.write, self.append, self.access_mode) {
197             (_, _, _, Some(mode)) => Ok(mode),
198             (true,  false, false, None) => Ok(c::GENERIC_READ),
199             (false, true,  false, None) => Ok(c::GENERIC_WRITE),
200             (true,  true,  false, None) => Ok(c::GENERIC_READ | c::GENERIC_WRITE),
201             (false, _,     true,  None) => Ok(c::FILE_GENERIC_WRITE & !c::FILE_WRITE_DATA),
202             (true,  _,     true,  None) => Ok(c::GENERIC_READ |
203                                               (c::FILE_GENERIC_WRITE & !c::FILE_WRITE_DATA)),
204             (false, false, false, None) => Err(Error::from_raw_os_error(ERROR_INVALID_PARAMETER)),
205         }
206     }
207
208     fn get_creation_mode(&self) -> io::Result<c::DWORD> {
209         const ERROR_INVALID_PARAMETER: i32 = 87;
210
211         match (self.write, self.append) {
212             (true, false) => {}
213             (false, false) =>
214                 if self.truncate || self.create || self.create_new {
215                     return Err(Error::from_raw_os_error(ERROR_INVALID_PARAMETER));
216                 },
217             (_, true) =>
218                 if self.truncate && !self.create_new {
219                     return Err(Error::from_raw_os_error(ERROR_INVALID_PARAMETER));
220                 },
221         }
222
223         Ok(match (self.create, self.truncate, self.create_new) {
224                 (false, false, false) => c::OPEN_EXISTING,
225                 (true,  false, false) => c::OPEN_ALWAYS,
226                 (false, true,  false) => c::TRUNCATE_EXISTING,
227                 (true,  true,  false) => c::CREATE_ALWAYS,
228                 (_,      _,    true)  => c::CREATE_NEW,
229            })
230     }
231
232     fn get_flags_and_attributes(&self) -> c::DWORD {
233         self.custom_flags |
234         self.attributes |
235         self.security_qos_flags |
236         if self.security_qos_flags != 0 { c::SECURITY_SQOS_PRESENT } else { 0 } |
237         if self.create_new { c::FILE_FLAG_OPEN_REPARSE_POINT } else { 0 }
238     }
239 }
240
241 impl File {
242     fn open_reparse_point(path: &Path, write: bool) -> io::Result<File> {
243         let mut opts = OpenOptions::new();
244         opts.read(!write);
245         opts.write(write);
246         opts.custom_flags(c::FILE_FLAG_OPEN_REPARSE_POINT |
247                           c::FILE_FLAG_BACKUP_SEMANTICS);
248         File::open(path, &opts)
249     }
250
251     pub fn open(path: &Path, opts: &OpenOptions) -> io::Result<File> {
252         let path = try!(to_u16s(path));
253         let handle = unsafe {
254             c::CreateFileW(path.as_ptr(),
255                            try!(opts.get_access_mode()),
256                            opts.share_mode,
257                            opts.security_attributes as *mut _,
258                            try!(opts.get_creation_mode()),
259                            opts.get_flags_and_attributes(),
260                            ptr::null_mut())
261         };
262         if handle == c::INVALID_HANDLE_VALUE {
263             Err(Error::last_os_error())
264         } else {
265             Ok(File { handle: Handle::new(handle) })
266         }
267     }
268
269     pub fn fsync(&self) -> io::Result<()> {
270         try!(cvt(unsafe { c::FlushFileBuffers(self.handle.raw()) }));
271         Ok(())
272     }
273
274     pub fn datasync(&self) -> io::Result<()> { self.fsync() }
275
276     pub fn truncate(&self, size: u64) -> io::Result<()> {
277         let mut info = c::FILE_END_OF_FILE_INFO {
278             EndOfFile: size as c::LARGE_INTEGER,
279         };
280         let size = mem::size_of_val(&info);
281         try!(cvt(unsafe {
282             c::SetFileInformationByHandle(self.handle.raw(),
283                                           c::FileEndOfFileInfo,
284                                           &mut info as *mut _ as *mut _,
285                                           size as c::DWORD)
286         }));
287         Ok(())
288     }
289
290     pub fn file_attr(&self) -> io::Result<FileAttr> {
291         unsafe {
292             let mut info: c::BY_HANDLE_FILE_INFORMATION = mem::zeroed();
293             try!(cvt(c::GetFileInformationByHandle(self.handle.raw(),
294                                                    &mut info)));
295             let mut attr = FileAttr {
296                 data: c::WIN32_FILE_ATTRIBUTE_DATA {
297                     dwFileAttributes: info.dwFileAttributes,
298                     ftCreationTime: info.ftCreationTime,
299                     ftLastAccessTime: info.ftLastAccessTime,
300                     ftLastWriteTime: info.ftLastWriteTime,
301                     nFileSizeHigh: info.nFileSizeHigh,
302                     nFileSizeLow: info.nFileSizeLow,
303                 },
304                 reparse_tag: 0,
305             };
306             if attr.is_reparse_point() {
307                 let mut b = [0; c::MAXIMUM_REPARSE_DATA_BUFFER_SIZE];
308                 if let Ok((_, buf)) = self.reparse_point(&mut b) {
309                     attr.reparse_tag = buf.ReparseTag;
310                 }
311             }
312             Ok(attr)
313         }
314     }
315
316     pub fn read(&self, buf: &mut [u8]) -> io::Result<usize> {
317         self.handle.read(buf)
318     }
319
320     pub fn write(&self, buf: &[u8]) -> io::Result<usize> {
321         self.handle.write(buf)
322     }
323
324     pub fn flush(&self) -> io::Result<()> { Ok(()) }
325
326     pub fn seek(&self, pos: SeekFrom) -> io::Result<u64> {
327         let (whence, pos) = match pos {
328             SeekFrom::Start(n) => (c::FILE_BEGIN, n as i64),
329             SeekFrom::End(n) => (c::FILE_END, n),
330             SeekFrom::Current(n) => (c::FILE_CURRENT, n),
331         };
332         let pos = pos as c::LARGE_INTEGER;
333         let mut newpos = 0;
334         try!(cvt(unsafe {
335             c::SetFilePointerEx(self.handle.raw(), pos,
336                                 &mut newpos, whence)
337         }));
338         Ok(newpos as u64)
339     }
340
341     pub fn duplicate(&self) -> io::Result<File> {
342         Ok(File {
343             handle: try!(self.handle.duplicate(0, true, c::DUPLICATE_SAME_ACCESS)),
344         })
345     }
346
347     pub fn handle(&self) -> &Handle { &self.handle }
348
349     pub fn into_handle(self) -> Handle { self.handle }
350
351     fn reparse_point<'a>(&self,
352                          space: &'a mut [u8; c::MAXIMUM_REPARSE_DATA_BUFFER_SIZE])
353                          -> io::Result<(c::DWORD, &'a c::REPARSE_DATA_BUFFER)> {
354         unsafe {
355             let mut bytes = 0;
356             try!(cvt({
357                 c::DeviceIoControl(self.handle.raw(),
358                                    c::FSCTL_GET_REPARSE_POINT,
359                                    ptr::null_mut(),
360                                    0,
361                                    space.as_mut_ptr() as *mut _,
362                                    space.len() as c::DWORD,
363                                    &mut bytes,
364                                    ptr::null_mut())
365             }));
366             Ok((bytes, &*(space.as_ptr() as *const c::REPARSE_DATA_BUFFER)))
367         }
368     }
369
370     fn readlink(&self) -> io::Result<PathBuf> {
371         let mut space = [0u8; c::MAXIMUM_REPARSE_DATA_BUFFER_SIZE];
372         let (_bytes, buf) = try!(self.reparse_point(&mut space));
373         if buf.ReparseTag != c::IO_REPARSE_TAG_SYMLINK {
374             return Err(io::Error::new(io::ErrorKind::Other, "not a symlink"))
375         }
376
377         unsafe {
378             let info: *const c::SYMBOLIC_LINK_REPARSE_BUFFER =
379                     &buf.rest as *const _ as *const _;
380             let path_buffer = &(*info).PathBuffer as *const _ as *const u16;
381             let subst_off = (*info).SubstituteNameOffset / 2;
382             let subst_ptr = path_buffer.offset(subst_off as isize);
383             let subst_len = (*info).SubstituteNameLength / 2;
384             let subst = slice::from_raw_parts(subst_ptr, subst_len as usize);
385
386             Ok(PathBuf::from(OsString::from_wide(subst)))
387         }
388     }
389 }
390
391 impl FromInner<c::HANDLE> for File {
392     fn from_inner(handle: c::HANDLE) -> File {
393         File { handle: Handle::new(handle) }
394     }
395 }
396
397 impl fmt::Debug for File {
398     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
399         // FIXME(#24570): add more info here (e.g. mode)
400         let mut b = f.debug_struct("File");
401         b.field("handle", &self.handle.raw());
402         if let Ok(path) = get_path(&self) {
403             b.field("path", &path);
404         }
405         b.finish()
406     }
407 }
408
409 impl FileAttr {
410     pub fn size(&self) -> u64 {
411         ((self.data.nFileSizeHigh as u64) << 32) | (self.data.nFileSizeLow as u64)
412     }
413
414     pub fn perm(&self) -> FilePermissions {
415         FilePermissions { attrs: self.data.dwFileAttributes }
416     }
417
418     pub fn attrs(&self) -> u32 { self.data.dwFileAttributes as u32 }
419
420     pub fn file_type(&self) -> FileType {
421         FileType::new(self.data.dwFileAttributes, self.reparse_tag)
422     }
423
424     pub fn created(&self) -> u64 { self.to_u64(&self.data.ftCreationTime) }
425     pub fn accessed(&self) -> u64 { self.to_u64(&self.data.ftLastAccessTime) }
426     pub fn modified(&self) -> u64 { self.to_u64(&self.data.ftLastWriteTime) }
427
428     fn to_u64(&self, ft: &c::FILETIME) -> u64 {
429         (ft.dwLowDateTime as u64) | ((ft.dwHighDateTime as u64) << 32)
430     }
431
432     fn is_reparse_point(&self) -> bool {
433         self.data.dwFileAttributes & c::FILE_ATTRIBUTE_REPARSE_POINT != 0
434     }
435 }
436
437 impl FilePermissions {
438     pub fn readonly(&self) -> bool {
439         self.attrs & c::FILE_ATTRIBUTE_READONLY != 0
440     }
441
442     pub fn set_readonly(&mut self, readonly: bool) {
443         if readonly {
444             self.attrs |= c::FILE_ATTRIBUTE_READONLY;
445         } else {
446             self.attrs &= !c::FILE_ATTRIBUTE_READONLY;
447         }
448     }
449 }
450
451 impl FileType {
452     fn new(attrs: c::DWORD, reparse_tag: c::DWORD) -> FileType {
453         match (attrs & c::FILE_ATTRIBUTE_DIRECTORY != 0,
454                attrs & c::FILE_ATTRIBUTE_REPARSE_POINT != 0,
455                reparse_tag) {
456             (false, false, _) => FileType::File,
457             (true, false, _) => FileType::Dir,
458             (false, true, c::IO_REPARSE_TAG_SYMLINK) => FileType::SymlinkFile,
459             (true, true, c::IO_REPARSE_TAG_SYMLINK) => FileType::SymlinkDir,
460             (true, true, c::IO_REPARSE_TAG_MOUNT_POINT) => FileType::MountPoint,
461             (_, true, _) => FileType::ReparsePoint,
462             // Note: if a _file_ has a reparse tag of the type IO_REPARSE_TAG_MOUNT_POINT it is
463             // invalid, as junctions always have to be dirs. We set the filetype to ReparsePoint
464             // to indicate it is something symlink-like, but not something you can follow.
465         }
466     }
467
468     pub fn is_dir(&self) -> bool { *self == FileType::Dir }
469     pub fn is_file(&self) -> bool { *self == FileType::File }
470     pub fn is_symlink(&self) -> bool {
471         *self == FileType::SymlinkFile ||
472         *self == FileType::SymlinkDir ||
473         *self == FileType::MountPoint
474     }
475     pub fn is_symlink_dir(&self) -> bool {
476         *self == FileType::SymlinkDir || *self == FileType::MountPoint
477     }
478 }
479
480 impl DirBuilder {
481     pub fn new() -> DirBuilder { DirBuilder }
482
483     pub fn mkdir(&self, p: &Path) -> io::Result<()> {
484         let p = try!(to_u16s(p));
485         try!(cvt(unsafe {
486             c::CreateDirectoryW(p.as_ptr(), ptr::null_mut())
487         }));
488         Ok(())
489     }
490 }
491
492 pub fn readdir(p: &Path) -> io::Result<ReadDir> {
493     let root = p.to_path_buf();
494     let star = p.join("*");
495     let path = try!(to_u16s(&star));
496
497     unsafe {
498         let mut wfd = mem::zeroed();
499         let find_handle = c::FindFirstFileW(path.as_ptr(), &mut wfd);
500         if find_handle != c::INVALID_HANDLE_VALUE {
501             Ok(ReadDir {
502                 handle: FindNextFileHandle(find_handle),
503                 root: Arc::new(root),
504                 first: Some(wfd),
505             })
506         } else {
507             Err(Error::last_os_error())
508         }
509     }
510 }
511
512 pub fn unlink(p: &Path) -> io::Result<()> {
513     let p_u16s = try!(to_u16s(p));
514     try!(cvt(unsafe { c::DeleteFileW(p_u16s.as_ptr()) }));
515     Ok(())
516 }
517
518 pub fn rename(old: &Path, new: &Path) -> io::Result<()> {
519     let old = try!(to_u16s(old));
520     let new = try!(to_u16s(new));
521     try!(cvt(unsafe {
522         c::MoveFileExW(old.as_ptr(), new.as_ptr(), c::MOVEFILE_REPLACE_EXISTING)
523     }));
524     Ok(())
525 }
526
527 pub fn rmdir(p: &Path) -> io::Result<()> {
528     let p = try!(to_u16s(p));
529     try!(cvt(unsafe { c::RemoveDirectoryW(p.as_ptr()) }));
530     Ok(())
531 }
532
533 pub fn remove_dir_all(path: &Path) -> io::Result<()> {
534     for child in try!(readdir(path)) {
535         let child = try!(child);
536         let child_type = try!(child.file_type());
537         if child_type.is_dir() {
538             try!(remove_dir_all(&child.path()));
539         } else if child_type.is_symlink_dir() {
540             try!(rmdir(&child.path()));
541         } else {
542             try!(unlink(&child.path()));
543         }
544     }
545     rmdir(path)
546 }
547
548 pub fn readlink(p: &Path) -> io::Result<PathBuf> {
549     let file = try!(File::open_reparse_point(p, false));
550     file.readlink()
551 }
552
553 pub fn symlink(src: &Path, dst: &Path) -> io::Result<()> {
554     symlink_inner(src, dst, false)
555 }
556
557 pub fn symlink_inner(src: &Path, dst: &Path, dir: bool) -> io::Result<()> {
558     let src = try!(to_u16s(src));
559     let dst = try!(to_u16s(dst));
560     let flags = if dir { c::SYMBOLIC_LINK_FLAG_DIRECTORY } else { 0 };
561     try!(cvt(unsafe {
562         c::CreateSymbolicLinkW(dst.as_ptr(), src.as_ptr(), flags) as c::BOOL
563     }));
564     Ok(())
565 }
566
567 pub fn link(src: &Path, dst: &Path) -> io::Result<()> {
568     let src = try!(to_u16s(src));
569     let dst = try!(to_u16s(dst));
570     try!(cvt(unsafe {
571         c::CreateHardLinkW(dst.as_ptr(), src.as_ptr(), ptr::null_mut())
572     }));
573     Ok(())
574 }
575
576 pub fn stat(p: &Path) -> io::Result<FileAttr> {
577     let attr = try!(lstat(p));
578
579     // If this is a reparse point, then we need to reopen the file to get the
580     // actual destination. We also pass the FILE_FLAG_BACKUP_SEMANTICS flag to
581     // ensure that we can open directories (this path may be a directory
582     // junction). Once the file is opened we ask the opened handle what its
583     // metadata information is.
584     if attr.is_reparse_point() {
585         let mut opts = OpenOptions::new();
586         // No read or write permissions are necessary
587         opts.access_mode(0);
588         // This flag is so we can open directories too
589         opts.custom_flags(c::FILE_FLAG_BACKUP_SEMANTICS);
590         let file = try!(File::open(p, &opts));
591         file.file_attr()
592     } else {
593         Ok(attr)
594     }
595 }
596
597 pub fn lstat(p: &Path) -> io::Result<FileAttr> {
598     let u16s = try!(to_u16s(p));
599     unsafe {
600         let mut attr: FileAttr = mem::zeroed();
601         try!(cvt(c::GetFileAttributesExW(u16s.as_ptr(),
602                                          c::GetFileExInfoStandard,
603                                          &mut attr.data as *mut _ as *mut _)));
604         if attr.is_reparse_point() {
605             attr.reparse_tag = File::open_reparse_point(p, false).and_then(|f| {
606                 let mut b = [0; c::MAXIMUM_REPARSE_DATA_BUFFER_SIZE];
607                 f.reparse_point(&mut b).map(|(_, b)| b.ReparseTag)
608             }).unwrap_or(0);
609         }
610         Ok(attr)
611     }
612 }
613
614 pub fn set_perm(p: &Path, perm: FilePermissions) -> io::Result<()> {
615     let p = try!(to_u16s(p));
616     unsafe {
617         try!(cvt(c::SetFileAttributesW(p.as_ptr(), perm.attrs)));
618         Ok(())
619     }
620 }
621
622 fn get_path(f: &File) -> io::Result<PathBuf> {
623     super::fill_utf16_buf(|buf, sz| unsafe {
624         c::GetFinalPathNameByHandleW(f.handle.raw(), buf, sz,
625                                      c::VOLUME_NAME_DOS)
626     }, |buf| {
627         PathBuf::from(OsString::from_wide(buf))
628     })
629 }
630
631 pub fn canonicalize(p: &Path) -> io::Result<PathBuf> {
632     let mut opts = OpenOptions::new();
633     // No read or write permissions are necessary
634     opts.access_mode(0);
635     // This flag is so we can open directories too
636     opts.custom_flags(c::FILE_FLAG_BACKUP_SEMANTICS);
637     let f = try!(File::open(p, &opts));
638     get_path(&f)
639 }
640
641 pub fn copy(from: &Path, to: &Path) -> io::Result<u64> {
642     unsafe extern "system" fn callback(
643         _TotalFileSize: c::LARGE_INTEGER,
644         TotalBytesTransferred: c::LARGE_INTEGER,
645         _StreamSize: c::LARGE_INTEGER,
646         _StreamBytesTransferred: c::LARGE_INTEGER,
647         _dwStreamNumber: c::DWORD,
648         _dwCallbackReason: c::DWORD,
649         _hSourceFile: c::HANDLE,
650         _hDestinationFile: c::HANDLE,
651         lpData: c::LPVOID,
652     ) -> c::DWORD {
653         *(lpData as *mut i64) = TotalBytesTransferred;
654         c::PROGRESS_CONTINUE
655     }
656     let pfrom = try!(to_u16s(from));
657     let pto = try!(to_u16s(to));
658     let mut size = 0i64;
659     try!(cvt(unsafe {
660         c::CopyFileExW(pfrom.as_ptr(), pto.as_ptr(), Some(callback),
661                        &mut size as *mut _ as *mut _, ptr::null_mut(), 0)
662     }));
663     Ok(size as u64)
664 }
665
666 #[allow(dead_code)]
667 pub fn symlink_junction<P: AsRef<Path>, Q: AsRef<Path>>(src: P, dst: Q) -> io::Result<()> {
668     symlink_junction_inner(src.as_ref(), dst.as_ref())
669 }
670
671 // Creating a directory junction on windows involves dealing with reparse
672 // points and the DeviceIoControl function, and this code is a skeleton of
673 // what can be found here:
674 //
675 // http://www.flexhex.com/docs/articles/hard-links.phtml
676 #[allow(dead_code)]
677 fn symlink_junction_inner(target: &Path, junction: &Path) -> io::Result<()> {
678     let d = DirBuilder::new();
679     try!(d.mkdir(&junction));
680     let f = try!(File::open_reparse_point(junction, true));
681     let h = f.handle().raw();
682
683     unsafe {
684         let mut data = [0u8; c::MAXIMUM_REPARSE_DATA_BUFFER_SIZE];
685         let mut db = data.as_mut_ptr()
686                         as *mut c::REPARSE_MOUNTPOINT_DATA_BUFFER;
687         let buf = &mut (*db).ReparseTarget as *mut _;
688         let mut i = 0;
689         // FIXME: this conversion is very hacky
690         let v = br"\??\";
691         let v = v.iter().map(|x| *x as u16);
692         for c in v.chain(target.as_os_str().encode_wide()) {
693             *buf.offset(i) = c;
694             i += 1;
695         }
696         *buf.offset(i) = 0;
697         i += 1;
698         (*db).ReparseTag = c::IO_REPARSE_TAG_MOUNT_POINT;
699         (*db).ReparseTargetMaximumLength = (i * 2) as c::WORD;
700         (*db).ReparseTargetLength = ((i - 1) * 2) as c::WORD;
701         (*db).ReparseDataLength =
702                 (*db).ReparseTargetLength as c::DWORD + 12;
703
704         let mut ret = 0;
705         cvt(c::DeviceIoControl(h as *mut _,
706                                c::FSCTL_SET_REPARSE_POINT,
707                                data.as_ptr() as *mut _,
708                                (*db).ReparseDataLength + 8,
709                                ptr::null_mut(), 0,
710                                &mut ret,
711                                ptr::null_mut())).map(|_| ())
712     }
713 }