]> git.lizzy.rs Git - rust.git/blob - src/libstd/sys/windows/mod.rs
Rollup merge of #29176 - huonw:shared-tracking, r=Gankro
[rust.git] / src / libstd / sys / windows / mod.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 #![allow(missing_docs)]
12 #![allow(non_camel_case_types)]
13 #![allow(non_snake_case)]
14
15 use prelude::v1::*;
16
17 use ffi::{OsStr, OsString};
18 use io::{self, ErrorKind};
19 use libc;
20 use num::Zero;
21 use os::windows::ffi::{OsStrExt, OsStringExt};
22 use path::PathBuf;
23 use time::Duration;
24
25 #[macro_use] pub mod compat;
26
27 pub mod backtrace;
28 pub mod c;
29 pub mod condvar;
30 pub mod ext;
31 pub mod fs;
32 pub mod handle;
33 pub mod mutex;
34 pub mod net;
35 pub mod os;
36 pub mod os_str;
37 pub mod pipe;
38 pub mod process;
39 pub mod rwlock;
40 pub mod stack_overflow;
41 pub mod thread;
42 pub mod thread_local;
43 pub mod time;
44 pub mod stdio;
45
46 pub fn init() {}
47
48 pub fn decode_error_kind(errno: i32) -> ErrorKind {
49     match errno as libc::c_int {
50         libc::ERROR_ACCESS_DENIED => ErrorKind::PermissionDenied,
51         libc::ERROR_ALREADY_EXISTS => ErrorKind::AlreadyExists,
52         libc::ERROR_BROKEN_PIPE => ErrorKind::BrokenPipe,
53         libc::ERROR_FILE_NOT_FOUND => ErrorKind::NotFound,
54         c::ERROR_PATH_NOT_FOUND => ErrorKind::NotFound,
55         libc::ERROR_NO_DATA => ErrorKind::BrokenPipe,
56         libc::ERROR_OPERATION_ABORTED => ErrorKind::TimedOut,
57
58         libc::WSAEACCES => ErrorKind::PermissionDenied,
59         libc::WSAEADDRINUSE => ErrorKind::AddrInUse,
60         libc::WSAEADDRNOTAVAIL => ErrorKind::AddrNotAvailable,
61         libc::WSAECONNABORTED => ErrorKind::ConnectionAborted,
62         libc::WSAECONNREFUSED => ErrorKind::ConnectionRefused,
63         libc::WSAECONNRESET => ErrorKind::ConnectionReset,
64         libc::WSAEINVAL => ErrorKind::InvalidInput,
65         libc::WSAENOTCONN => ErrorKind::NotConnected,
66         libc::WSAEWOULDBLOCK => ErrorKind::WouldBlock,
67         libc::WSAETIMEDOUT => ErrorKind::TimedOut,
68
69         _ => ErrorKind::Other,
70     }
71 }
72
73 fn to_utf16_os(s: &OsStr) -> Vec<u16> {
74     let mut v: Vec<_> = s.encode_wide().collect();
75     v.push(0);
76     v
77 }
78
79 // Many Windows APIs follow a pattern of where we hand a buffer and then they
80 // will report back to us how large the buffer should be or how many bytes
81 // currently reside in the buffer. This function is an abstraction over these
82 // functions by making them easier to call.
83 //
84 // The first callback, `f1`, is yielded a (pointer, len) pair which can be
85 // passed to a syscall. The `ptr` is valid for `len` items (u16 in this case).
86 // The closure is expected to return what the syscall returns which will be
87 // interpreted by this function to determine if the syscall needs to be invoked
88 // again (with more buffer space).
89 //
90 // Once the syscall has completed (errors bail out early) the second closure is
91 // yielded the data which has been read from the syscall. The return value
92 // from this closure is then the return value of the function.
93 fn fill_utf16_buf<F1, F2, T>(mut f1: F1, f2: F2) -> io::Result<T>
94     where F1: FnMut(*mut u16, libc::DWORD) -> libc::DWORD,
95           F2: FnOnce(&[u16]) -> T
96 {
97     // Start off with a stack buf but then spill over to the heap if we end up
98     // needing more space.
99     let mut stack_buf = [0u16; 512];
100     let mut heap_buf = Vec::new();
101     unsafe {
102         let mut n = stack_buf.len();
103         loop {
104             let buf = if n <= stack_buf.len() {
105                 &mut stack_buf[..]
106             } else {
107                 let extra = n - heap_buf.len();
108                 heap_buf.reserve(extra);
109                 heap_buf.set_len(n);
110                 &mut heap_buf[..]
111             };
112
113             // This function is typically called on windows API functions which
114             // will return the correct length of the string, but these functions
115             // also return the `0` on error. In some cases, however, the
116             // returned "correct length" may actually be 0!
117             //
118             // To handle this case we call `SetLastError` to reset it to 0 and
119             // then check it again if we get the "0 error value". If the "last
120             // error" is still 0 then we interpret it as a 0 length buffer and
121             // not an actual error.
122             c::SetLastError(0);
123             let k = match f1(buf.as_mut_ptr(), n as libc::DWORD) {
124                 0 if libc::GetLastError() == 0 => 0,
125                 0 => return Err(io::Error::last_os_error()),
126                 n => n,
127             } as usize;
128             if k == n && libc::GetLastError() ==
129                             libc::ERROR_INSUFFICIENT_BUFFER as libc::DWORD {
130                 n *= 2;
131             } else if k >= n {
132                 n = k;
133             } else {
134                 return Ok(f2(&buf[..k]))
135             }
136         }
137     }
138 }
139
140 fn os2path(s: &[u16]) -> PathBuf {
141     PathBuf::from(OsString::from_wide(s))
142 }
143
144 pub fn truncate_utf16_at_nul<'a>(v: &'a [u16]) -> &'a [u16] {
145     match v.iter().position(|c| *c == 0) {
146         // don't include the 0
147         Some(i) => &v[..i],
148         None => v
149     }
150 }
151
152 fn cvt<I: PartialEq + Zero>(i: I) -> io::Result<I> {
153     if i == I::zero() {
154         Err(io::Error::last_os_error())
155     } else {
156         Ok(i)
157     }
158 }
159
160 fn dur2timeout(dur: Duration) -> libc::DWORD {
161     // Note that a duration is a (u64, u32) (seconds, nanoseconds) pair, and the
162     // timeouts in windows APIs are typically u32 milliseconds. To translate, we
163     // have two pieces to take care of:
164     //
165     // * Nanosecond precision is rounded up
166     // * Greater than u32::MAX milliseconds (50 days) is rounded up to INFINITE
167     //   (never time out).
168     dur.as_secs().checked_mul(1000).and_then(|ms| {
169         ms.checked_add((dur.subsec_nanos() as u64) / 1_000_000)
170     }).and_then(|ms| {
171         ms.checked_add(if dur.subsec_nanos() % 1_000_000 > 0 {1} else {0})
172     }).map(|ms| {
173         if ms > <libc::DWORD>::max_value() as u64 {
174             libc::INFINITE
175         } else {
176             ms as libc::DWORD
177         }
178     }).unwrap_or(libc::INFINITE)
179 }