std/sys/pal/unix/
mod.rs

1#![allow(missing_docs, nonstandard_style)]
2
3use crate::io::ErrorKind;
4
5#[cfg(not(target_os = "espidf"))]
6#[macro_use]
7pub mod weak;
8
9#[cfg(target_os = "fuchsia")]
10pub mod fuchsia;
11pub mod futex;
12#[cfg(any(target_os = "linux", target_os = "android"))]
13pub mod kernel_copy;
14#[cfg(target_os = "linux")]
15pub mod linux;
16pub mod os;
17pub mod pipe;
18pub mod stack_overflow;
19pub mod sync;
20pub mod thread_parking;
21pub mod time;
22
23#[cfg(target_os = "espidf")]
24pub fn init(_argc: isize, _argv: *const *const u8, _sigpipe: u8) {}
25
26#[cfg(not(target_os = "espidf"))]
27#[cfg_attr(target_os = "vita", allow(unused_variables))]
28// SAFETY: must be called only once during runtime initialization.
29// NOTE: this is not guaranteed to run, for example when Rust code is called externally.
30// See `fn init()` in `library/std/src/rt.rs` for docs on `sigpipe`.
31pub unsafe fn init(argc: isize, argv: *const *const u8, sigpipe: u8) {
32    // The standard streams might be closed on application startup. To prevent
33    // std::io::{stdin, stdout,stderr} objects from using other unrelated file
34    // resources opened later, we reopen standards streams when they are closed.
35    sanitize_standard_fds();
36
37    // By default, some platforms will send a *signal* when an EPIPE error
38    // would otherwise be delivered. This runtime doesn't install a SIGPIPE
39    // handler, causing it to kill the program, which isn't exactly what we
40    // want!
41    //
42    // Hence, we set SIGPIPE to ignore when the program starts up in order
43    // to prevent this problem. Use `-Zon-broken-pipe=...` to alter this
44    // behavior.
45    reset_sigpipe(sigpipe);
46
47    stack_overflow::init();
48    #[cfg(not(target_os = "vita"))]
49    crate::sys::args::init(argc, argv);
50
51    // Normally, `thread::spawn` will call `Thread::set_name` but since this thread
52    // already exists, we have to call it ourselves. We only do this on Apple targets
53    // because some unix-like operating systems such as Linux share process-id and
54    // thread-id for the main thread and so renaming the main thread will rename the
55    // process and we only want to enable this on platforms we've tested.
56    if cfg!(target_vendor = "apple") {
57        crate::sys::thread::set_name(c"main");
58    }
59
60    unsafe fn sanitize_standard_fds() {
61        #[allow(dead_code, unused_variables, unused_mut)]
62        let mut opened_devnull = -1;
63        #[allow(dead_code, unused_variables, unused_mut)]
64        let mut open_devnull = || {
65            #[cfg(not(all(target_os = "linux", target_env = "gnu")))]
66            use libc::open;
67            #[cfg(all(target_os = "linux", target_env = "gnu"))]
68            use libc::open64 as open;
69
70            if opened_devnull != -1 {
71                if libc::dup(opened_devnull) != -1 {
72                    return;
73                }
74            }
75            opened_devnull = open(c"/dev/null".as_ptr(), libc::O_RDWR, 0);
76            if opened_devnull == -1 {
77                // If the stream is closed but we failed to reopen it, abort the
78                // process. Otherwise we wouldn't preserve the safety of
79                // operations on the corresponding Rust object Stdin, Stdout, or
80                // Stderr.
81                libc::abort();
82            }
83        };
84
85        // fast path with a single syscall for systems with poll()
86        #[cfg(not(any(
87            miri,
88            target_os = "emscripten",
89            target_os = "fuchsia",
90            target_os = "vxworks",
91            target_os = "redox",
92            target_os = "l4re",
93            target_os = "horizon",
94            target_os = "vita",
95            target_os = "rtems",
96            // The poll on Darwin doesn't set POLLNVAL for closed fds.
97            target_vendor = "apple",
98        )))]
99        'poll: {
100            use crate::sys::os::errno;
101            let pfds: &mut [_] = &mut [
102                libc::pollfd { fd: 0, events: 0, revents: 0 },
103                libc::pollfd { fd: 1, events: 0, revents: 0 },
104                libc::pollfd { fd: 2, events: 0, revents: 0 },
105            ];
106
107            while libc::poll(pfds.as_mut_ptr(), 3, 0) == -1 {
108                match errno() {
109                    libc::EINTR => continue,
110                    #[cfg(target_vendor = "unikraft")]
111                    libc::ENOSYS => {
112                        // Not all configurations of Unikraft enable `LIBPOSIX_EVENT`.
113                        break 'poll;
114                    }
115                    libc::EINVAL | libc::EAGAIN | libc::ENOMEM => {
116                        // RLIMIT_NOFILE or temporary allocation failures
117                        // may be preventing use of poll(), fall back to fcntl
118                        break 'poll;
119                    }
120                    _ => libc::abort(),
121                }
122            }
123            for pfd in pfds {
124                if pfd.revents & libc::POLLNVAL == 0 {
125                    continue;
126                }
127                open_devnull();
128            }
129            return;
130        }
131
132        // fallback in case poll isn't available or limited by RLIMIT_NOFILE
133        #[cfg(not(any(
134            // The standard fds are always available in Miri.
135            miri,
136            target_os = "emscripten",
137            target_os = "fuchsia",
138            target_os = "vxworks",
139            target_os = "l4re",
140            target_os = "horizon",
141            target_os = "vita",
142        )))]
143        {
144            use crate::sys::os::errno;
145            for fd in 0..3 {
146                if libc::fcntl(fd, libc::F_GETFD) == -1 && errno() == libc::EBADF {
147                    open_devnull();
148                }
149            }
150        }
151    }
152
153    unsafe fn reset_sigpipe(#[allow(unused_variables)] sigpipe: u8) {
154        #[cfg(not(any(
155            target_os = "emscripten",
156            target_os = "fuchsia",
157            target_os = "horizon",
158            target_os = "vxworks",
159            target_os = "vita",
160            // Unikraft's `signal` implementation is currently broken:
161            // https://github.com/unikraft/lib-musl/issues/57
162            target_vendor = "unikraft",
163        )))]
164        {
165            // We don't want to add this as a public type to std, nor do we
166            // want to `include!` a file from the compiler (which would break
167            // Miri and xargo for example), so we choose to duplicate these
168            // constants from `compiler/rustc_session/src/config/sigpipe.rs`.
169            // See the other file for docs. NOTE: Make sure to keep them in
170            // sync!
171            mod sigpipe {
172                pub const DEFAULT: u8 = 0;
173                pub const INHERIT: u8 = 1;
174                pub const SIG_IGN: u8 = 2;
175                pub const SIG_DFL: u8 = 3;
176            }
177
178            let (sigpipe_attr_specified, handler) = match sigpipe {
179                sigpipe::DEFAULT => (false, Some(libc::SIG_IGN)),
180                sigpipe::INHERIT => (true, None),
181                sigpipe::SIG_IGN => (true, Some(libc::SIG_IGN)),
182                sigpipe::SIG_DFL => (true, Some(libc::SIG_DFL)),
183                _ => unreachable!(),
184            };
185            if sigpipe_attr_specified {
186                ON_BROKEN_PIPE_FLAG_USED.store(true, crate::sync::atomic::Ordering::Relaxed);
187            }
188            if let Some(handler) = handler {
189                rtassert!(signal(libc::SIGPIPE, handler) != libc::SIG_ERR);
190                #[cfg(target_os = "hurd")]
191                {
192                    rtassert!(signal(libc::SIGLOST, handler) != libc::SIG_ERR);
193                }
194            }
195        }
196    }
197}
198
199// This is set (up to once) in reset_sigpipe.
200#[cfg(not(any(
201    target_os = "espidf",
202    target_os = "emscripten",
203    target_os = "fuchsia",
204    target_os = "horizon",
205    target_os = "vxworks",
206    target_os = "vita",
207)))]
208static ON_BROKEN_PIPE_FLAG_USED: crate::sync::atomic::Atomic<bool> =
209    crate::sync::atomic::AtomicBool::new(false);
210
211#[cfg(not(any(
212    target_os = "espidf",
213    target_os = "emscripten",
214    target_os = "fuchsia",
215    target_os = "horizon",
216    target_os = "vxworks",
217    target_os = "vita",
218    target_os = "nuttx",
219)))]
220pub(crate) fn on_broken_pipe_flag_used() -> bool {
221    ON_BROKEN_PIPE_FLAG_USED.load(crate::sync::atomic::Ordering::Relaxed)
222}
223
224// SAFETY: must be called only once during runtime cleanup.
225// NOTE: this is not guaranteed to run, for example when the program aborts.
226pub unsafe fn cleanup() {
227    stack_overflow::cleanup();
228}
229
230#[allow(unused_imports)]
231pub use libc::signal;
232
233#[inline]
234pub(crate) fn is_interrupted(errno: i32) -> bool {
235    errno == libc::EINTR
236}
237
238pub fn decode_error_kind(errno: i32) -> ErrorKind {
239    use ErrorKind::*;
240    match errno as libc::c_int {
241        libc::E2BIG => ArgumentListTooLong,
242        libc::EADDRINUSE => AddrInUse,
243        libc::EADDRNOTAVAIL => AddrNotAvailable,
244        libc::EBUSY => ResourceBusy,
245        libc::ECONNABORTED => ConnectionAborted,
246        libc::ECONNREFUSED => ConnectionRefused,
247        libc::ECONNRESET => ConnectionReset,
248        libc::EDEADLK => Deadlock,
249        libc::EDQUOT => QuotaExceeded,
250        libc::EEXIST => AlreadyExists,
251        libc::EFBIG => FileTooLarge,
252        libc::EHOSTUNREACH => HostUnreachable,
253        libc::EINTR => Interrupted,
254        libc::EINVAL => InvalidInput,
255        libc::EISDIR => IsADirectory,
256        libc::ELOOP => FilesystemLoop,
257        libc::ENOENT => NotFound,
258        libc::ENOMEM => OutOfMemory,
259        libc::ENOSPC => StorageFull,
260        libc::ENOSYS => Unsupported,
261        libc::EMLINK => TooManyLinks,
262        libc::ENAMETOOLONG => InvalidFilename,
263        libc::ENETDOWN => NetworkDown,
264        libc::ENETUNREACH => NetworkUnreachable,
265        libc::ENOTCONN => NotConnected,
266        libc::ENOTDIR => NotADirectory,
267        #[cfg(not(target_os = "aix"))]
268        libc::ENOTEMPTY => DirectoryNotEmpty,
269        libc::EPIPE => BrokenPipe,
270        libc::EROFS => ReadOnlyFilesystem,
271        libc::ESPIPE => NotSeekable,
272        libc::ESTALE => StaleNetworkFileHandle,
273        libc::ETIMEDOUT => TimedOut,
274        libc::ETXTBSY => ExecutableFileBusy,
275        libc::EXDEV => CrossesDevices,
276        libc::EINPROGRESS => InProgress,
277        libc::EOPNOTSUPP => Unsupported,
278
279        libc::EACCES | libc::EPERM => PermissionDenied,
280
281        // These two constants can have the same value on some systems,
282        // but different values on others, so we can't use a match
283        // clause
284        x if x == libc::EAGAIN || x == libc::EWOULDBLOCK => WouldBlock,
285
286        _ => Uncategorized,
287    }
288}
289
290#[doc(hidden)]
291pub trait IsMinusOne {
292    fn is_minus_one(&self) -> bool;
293}
294
295macro_rules! impl_is_minus_one {
296    ($($t:ident)*) => ($(impl IsMinusOne for $t {
297        fn is_minus_one(&self) -> bool {
298            *self == -1
299        }
300    })*)
301}
302
303impl_is_minus_one! { i8 i16 i32 i64 isize }
304
305/// Converts native return values to Result using the *-1 means error is in `errno`*  convention.
306/// Non-error values are `Ok`-wrapped.
307pub fn cvt<T: IsMinusOne>(t: T) -> crate::io::Result<T> {
308    if t.is_minus_one() { Err(crate::io::Error::last_os_error()) } else { Ok(t) }
309}
310
311/// `-1` → look at `errno` → retry on `EINTR`. Otherwise `Ok()`-wrap the closure return value.
312pub fn cvt_r<T, F>(mut f: F) -> crate::io::Result<T>
313where
314    T: IsMinusOne,
315    F: FnMut() -> T,
316{
317    loop {
318        match cvt(f()) {
319            Err(ref e) if e.is_interrupted() => {}
320            other => return other,
321        }
322    }
323}
324
325#[allow(dead_code)] // Not used on all platforms.
326/// Zero means `Ok()`, all other values are treated as raw OS errors. Does not look at `errno`.
327pub fn cvt_nz(error: libc::c_int) -> crate::io::Result<()> {
328    if error == 0 { Ok(()) } else { Err(crate::io::Error::from_raw_os_error(error)) }
329}
330
331// libc::abort() will run the SIGABRT handler.  That's fine because anyone who
332// installs a SIGABRT handler already has to expect it to run in Very Bad
333// situations (eg, malloc crashing).
334//
335// Current glibc's abort() function unblocks SIGABRT, raises SIGABRT, clears the
336// SIGABRT handler and raises it again, and then starts to get creative.
337//
338// See the public documentation for `intrinsics::abort()` and `process::abort()`
339// for further discussion.
340//
341// There is confusion about whether libc::abort() flushes stdio streams.
342// libc::abort() is required by ISO C 99 (7.14.1.1p5) to be async-signal-safe,
343// so flushing streams is at least extremely hard, if not entirely impossible.
344//
345// However, some versions of POSIX (eg IEEE Std 1003.1-2001) required abort to
346// do so.  In 1003.1-2004 this was fixed.
347//
348// glibc's implementation did the flush, unsafely, before glibc commit
349// 91e7cf982d01 `abort: Do not flush stdio streams [BZ #15436]` by Florian
350// Weimer.  According to glibc's NEWS:
351//
352//    The abort function terminates the process immediately, without flushing
353//    stdio streams.  Previous glibc versions used to flush streams, resulting
354//    in deadlocks and further data corruption.  This change also affects
355//    process aborts as the result of assertion failures.
356//
357// This is an accurate description of the problem.  The only solution for
358// program with nontrivial use of C stdio is a fixed libc - one which does not
359// try to flush in abort - since even libc-internal errors, and assertion
360// failures generated from C, will go via abort().
361//
362// On systems with old, buggy, libcs, the impact can be severe for a
363// multithreaded C program.  It is much less severe for Rust, because Rust
364// stdlib doesn't use libc stdio buffering.  In a typical Rust program, which
365// does not use C stdio, even a buggy libc::abort() is, in fact, safe.
366#[cfg_attr(miri, track_caller)] // even without panics, this helps for Miri backtraces
367pub fn abort_internal() -> ! {
368    unsafe { libc::abort() }
369}
370
371cfg_select! {
372    target_os = "android" => {
373        #[link(name = "dl", kind = "static", modifiers = "-bundle",
374            cfg(target_feature = "crt-static"))]
375        #[link(name = "dl", cfg(not(target_feature = "crt-static")))]
376        #[link(name = "log", cfg(not(target_feature = "crt-static")))]
377        unsafe extern "C" {}
378    }
379    target_os = "freebsd" => {
380        #[link(name = "execinfo")]
381        #[link(name = "pthread")]
382        unsafe extern "C" {}
383    }
384    target_os = "netbsd" => {
385        #[link(name = "execinfo")]
386        #[link(name = "pthread")]
387        #[link(name = "rt")]
388        unsafe extern "C" {}
389    }
390    any(target_os = "dragonfly", target_os = "openbsd", target_os = "cygwin") => {
391        #[link(name = "pthread")]
392        unsafe extern "C" {}
393    }
394    target_os = "solaris" => {
395        #[link(name = "socket")]
396        #[link(name = "posix4")]
397        #[link(name = "pthread")]
398        #[link(name = "resolv")]
399        unsafe extern "C" {}
400    }
401    target_os = "illumos" => {
402        #[link(name = "socket")]
403        #[link(name = "posix4")]
404        #[link(name = "pthread")]
405        #[link(name = "resolv")]
406        #[link(name = "nsl")]
407        // Use libumem for the (malloc-compatible) allocator
408        #[link(name = "umem")]
409        unsafe extern "C" {}
410    }
411    target_vendor = "apple" => {
412        // Link to `libSystem.dylib`.
413        //
414        // Don't get confused by the presence of `System.framework`,
415        // it is a deprecated wrapper over the dynamic library.
416        #[link(name = "System")]
417        unsafe extern "C" {}
418    }
419    target_os = "fuchsia" => {
420        #[link(name = "zircon")]
421        #[link(name = "fdio")]
422        unsafe extern "C" {}
423    }
424    all(target_os = "linux", target_env = "uclibc") => {
425        #[link(name = "dl")]
426        unsafe extern "C" {}
427    }
428    target_os = "vita" => {
429        #[link(name = "pthread", kind = "static", modifiers = "-bundle")]
430        unsafe extern "C" {}
431    }
432    _ => {}
433}
434
435#[cfg(any(target_os = "espidf", target_os = "horizon", target_os = "vita", target_os = "nuttx"))]
436pub mod unsupported {
437    use crate::io;
438
439    pub fn unsupported<T>() -> io::Result<T> {
440        Err(unsupported_err())
441    }
442
443    pub fn unsupported_err() -> io::Error {
444        io::Error::UNSUPPORTED_PLATFORM
445    }
446}