High level FFI bindings to the mount
and umount2
system calls, for Rust.
This is how the mount
command could be written with this API.
```rust extern crate clap; extern crate sys_mount;
use clap::{App, Arg}; use sys_mount::{Mount, MountFlags, SupportedFilesystems}; use std::process::exit;
fn main() { let matches = App::new("mount") .arg(Arg::withname("source").required(true)) .arg(Arg::withname("directory").required(true)) .get_matches();
let src = matches.value_of("source").unwrap();
let dir = matches.value_of("directory").unwrap();
// Fetch a listed of supported file systems on this system. This will be used
// as the fstype to `Mount::new`, as the `Auto` mount parameter.
let supported = match SupportedFilesystems::new() {
Ok(supported) => supported,
Err(why) => {
eprintln!("failed to get supported file systems: {}", why);
exit(1);
}
};
// The source block will be mounted to the target directory, and the fstype is likely
// one of the supported file systems.
let result = Mount::builder()
.fstype(FilesystemType::from(&supported))
.mount(src, dir);
match result {
Ok(mount) => {
println!("mounted {} ({}) to {}", src, mount.get_fstype(), dir);
}
Err(why) => {
eprintln!("failed to mount {} to {}: {}", src, dir, why);
exit(1);
}
}
} ```
This is how the umount
command could be implemented.
```rust extern crate clap; extern crate sys_mount;
use clap::{App, Arg}; use sys_mount::{unmount, UnmountFlags}; use std::process::exit;
fn main() { let matches = App::new("umount") .arg(Arg::withname("lazy") .short("l") .long("lazy")) .arg(Arg::withname("source").required(true)) .get_matches();
let src = matches.value_of("source").unwrap();
let flags = if matches.is_present("lazy") {
UnmountFlags::DETACH
} else {
UnmountFlags::empty()
};
match unmount(src, flags) {
Ok(()) => (),
Err(why) => {
eprintln!("failed to unmount {}: {}", src, why);
exit(1);
}
}
} ```