This is the first time we’ve encountered this term, so I’ll go over a brief explanation, even though we dive deeper into this topic later in the book.
A calling convention defines how function calls are performed and will, amongst other things, specify:
– How arguments are passed into the function
– What registers the function is expected to store at the start and restore before returning
– How the function returns its result
– How the stack is set up (we’ll get back to this one later)
So, before you call a foreign function you need to specify what calling convention to use since there is no way for the compiler to know if we don’t tell it. The C calling convention is by far the most common one to encounter.
Next, we wrap the call to our linked function in a normal Rust function.
ch03/b-normal-syscall
#[cfg(target_family = “unix”)]
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(())
}
You’ll probably be familiar with the first two lines now, as they’re the same as we wrote for our raw syscall example. We get the pointer to the buffer where our text is stored and the length of that buffer.
Next is our call to the write function in libc, which needs to be wrapped in an unsafe block since Rust can’t guarantee safety when calling external functions.
You might wonder how we know that the value 1 refers to the file handle of stdout.
You’ll meet this situation a lot when writing syscalls from Rust. Usually, constants are defined in the C header files, so we need to manually search them up and look for these definitions. 1 is always the file handle to stdout on UNIX systems, so it’s easy to remember.
Note
Wrapping the libc functions and providing these constants is exactly what the create libc (https://github.com/rust-lang/libc) provides for us. Most of the time, you can use that instead of doing all the manual work of linking to and defining functions as we do here.
Lastly, we have the error handling, and you’ll see this all the time when using FFI. C functions often use a specific integer to indicate if the function call was successful or not. In the case of this write call, the function will either return the number of bytes written or, if there is an error, it will return the value –1. You’ll find this information easily by reading the man-pages (https://man7.org/linux/man-pages/index.html) for Linux.
If there is an error, we use the built-in function in Rust’s standard library to query the OS for the last error it reported for this process and convert that to a rust io::Error type.
If you run this function using cargo run, you will see this output:
Hello world from syscall!
Leave a Reply