summaryrefslogtreecommitdiff
path: root/src/sys/stat.rs
blob: e5ecde6168e02301b59fbb482903e941e11ad0fe (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
pub use libc::dev_t;
pub use libc::stat as FileStat;

use std::fmt;
use std::io::FilePermission;
use std::mem;
use std::path::Path;
use libc::mode_t;
use errno::{SysResult, SysError, from_ffi};
use fcntl::Fd;

mod ffi {
    use libc::{c_char, c_int, mode_t, dev_t};
    pub use libc::{stat, fstat};

    extern {
        pub fn mknod(pathname: *const c_char, mode: mode_t, dev: dev_t) -> c_int;
        pub fn umask(mask: mode_t) -> mode_t;
    }
}

bitflags!(
    flags SFlag: mode_t {
        const S_IFREG  = 0o100000,
        const S_IFCHR  = 0o020000,
        const S_IFBLK  = 0o060000,
        const S_IFIFO  = 0o010000,
        const S_IFSOCK = 0o140000
    }
)

impl fmt::Show for SFlag {
    fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
        write!(fmt, "SFlag {{ bits: {} }}", self.bits())
    }
}

pub fn mknod(path: &Path, kind: SFlag, perm: FilePermission, dev: dev_t) -> SysResult<()> {
    let res = unsafe { ffi::mknod(path.to_c_str().as_ptr(), kind.bits | perm.bits() as mode_t, dev) };
    from_ffi(res)
}

#[cfg(target_os = "linux")]
const MINORBITS: uint = 20;

#[cfg(target_os = "linux")]
pub fn mkdev(major: u64, minor: u64) -> dev_t {
    (major << MINORBITS) | minor
}

pub fn umask(mode: FilePermission) -> FilePermission {
    let prev = unsafe { ffi::umask(mode.bits() as mode_t) };
    FilePermission::from_bits(prev as u32).expect("[BUG] umask returned invalid FilePermission")
}

pub fn stat(path: &Path) -> SysResult<FileStat> {
    let mut dst = unsafe { mem::uninitialized() };
    let res = unsafe { ffi::stat(path.to_c_str().as_ptr(), &mut dst as *mut FileStat) };

    if res < 0 {
        return Err(SysError::last());
    }

    Ok(dst)
}

pub fn fstat(fd: Fd) -> SysResult<FileStat> {
    let mut dst = unsafe { mem::uninitialized() };
    let res = unsafe { ffi::fstat(fd, &mut dst as *mut FileStat) };

    if res < 0 {
        return Err(SysError::last());
    }

    Ok(dst)
}