The next level of abstraction is to use the API, which all three operating systems provide for us.
We’ll soon see that this abstraction helps us remove some code. In this specific example, the syscall is the same on Linux and on macOS, so we only need to worry if we’re on Windows. We can differentiate between the platforms by using the #[cfg(target_family = “windows”)] and #[cfg(target_family = “unix”)] conditional compilation flags. You’ll see these used in the example in the repository.
Our main function will look the same as it did before:
ch03/b-normal-syscall
use std::io;
fn main() {
let message = “Hello world from syscall!\n”;
let message = String::from(message);
syscall(message).unwrap();
}
The only difference is that instead of pulling in the asm module, we pull in the io module.
Using the OS-provided API in Linux and macOS
You can run this code directly in the Rust playground since it runs on Linux, or you can run it locally on a Linux machine using WSL or on macOS:
ch03/b-normal-syscall
#[cfg(target_family = “unix”)]
#[link(name = “c”)]
extern “C” {
fn write(fd: u32, buf: *const u8, count: usize) -> i32;
}
fn syscall(message: String) -> io::Result<()> {
let msg_ptr = message.as_ptr();
let len = message.len();
let res = unsafe { write(1, msg_ptr, len) };
if res == -1 {
return Err(io::Error::last_os_error());
}
Ok(())
}
Let’s go through the different steps one by one. Knowing how to do a proper syscall will be very useful for us later on in this book.
#[link(name = “c”)]
Every Linux (and macOS) installation comes with a version of libc, which is a C library for communicating with the operating system. Having libc, with a consistent API, allows us to program the same way without worrying about the underlying platform architecture. Kernel developers can also make changes to the underlying ABI without breaking everyone’s program. This flag tells the compiler to link to the “c” library on the system.
Next up is the definition of what functions in the linked library we want to call:
extern “C” {
fn write(fd: u32, buf: *const u8, count: usize);
}
extern “C” (sometimes written without the “C”, since “C” is assumed if nothing is specified) means we want to use the “C” calling convention when calling the function write in the “C” library we’re linking to. This function needs to have the exact same name as the function in the library we’re linking to. The parameters don’t have to have the same name, but they must be in the same order. It’s good practice to name them the same as in the library you’re linking to.
Here, we use Rusts FFI, so when you read about using FFI to call external functions, it’s exactly what we’re doing here.
The write function takes a file descriptor, fd, which in this case is a handle to stdout. In addition, it expects us to provide a pointer to an array of u8, buf values and the length of that buffer, count.
Leave a Reply