Safe FFI Wrapper

Rust has great support for calling functions through a foreign function interface (FFI). We will use this to build a safe wrapper for the libc functions you would use from C to read the names of files in a directory.

You will want to consult the manual pages:

You will also want to browse the std::ffi module. There you find a number of string types which you need for the exercise:

TypesEncodingUse
str and StringUTF-8Text processing in Rust
CStr and CStringNUL-terminatedCommunicating with C functions
OsStr and OsStringOS-specificCommunicating with the OS

You will convert between all these types:

  • &str to CString: you need to allocate space for a trailing \0 character,
  • CString to *const i8: you need a pointer to call C functions,
  • *const i8 to &CStr: you need something which can find the trailing \0 character,
  • &CStr to &[u8]: a slice of bytes is the universal interface for “some unknown data”,
  • &[u8] to &OsStr: &OsStr is a step towards OsString, use OsStrExt to create it,
  • &OsStr to OsString: you need to clone the data in &OsStr to be able to return it and call readdir again.

The Nomicon also has a very useful chapter about FFI.

Copy the code below to https://play.rust-lang.org/ and fill in the missing functions and methods:

  1. // TODO: remove this when you're done with your implementation.
  2. #![allow(unused_imports, unused_variables, dead_code)]
  3. mod ffi {
  4.     use std::os::raw::{c_char, c_int};
  5.     #[cfg(not(target_os = "macos"))]
  6.     use std::os::raw::{c_long, c_uchar, c_ulong, c_ushort};
  7.     // Opaque type. See https://doc.rust-lang.org/nomicon/ffi.html.
  8.     #[repr(C)]
  9.     pub struct DIR {
  10.         _data: [u8; 0],
  11.         _marker: core::marker::PhantomData<(*mut u8, core::marker::PhantomPinned)>,
  12.     }
  13.     // Layout according to the Linux man page for readdir(3), where ino_t and
  14.     // off_t are resolved according to the definitions in
  15.     // /usr/include/x86_64-linux-gnu/{sys/types.h, bits/typesizes.h}.
  16.     #[cfg(not(target_os = "macos"))]
  17.     #[repr(C)]
  18.     pub struct dirent {
  19.         pub d_ino: c_ulong,
  20.         pub d_off: c_long,
  21.         pub d_reclen: c_ushort,
  22.         pub d_type: c_uchar,
  23.         pub d_name: [c_char; 256],
  24.     }
  25.     // Layout according to the macOS man page for dir(5).
  26.     #[cfg(all(target_os = "macos"))]
  27.     #[repr(C)]
  28.     pub struct dirent {
  29.         pub d_fileno: u64,
  30.         pub d_seekoff: u64,
  31.         pub d_reclen: u16,
  32.         pub d_namlen: u16,
  33.         pub d_type: u8,
  34.         pub d_name: [c_char; 1024],
  35.     }
  36.     unsafe extern "C" {
  37.         pub unsafe fn opendir(s: *const c_char) -> *mut DIR;
  38.         #[cfg(not(all(target_os = "macos", target_arch = "x86_64")))]
  39.         pub unsafe fn readdir(s: *mut DIR) -> *const dirent;
  40.         // See https://github.com/rust-lang/libc/issues/414 and the section on
  41.         // _DARWIN_FEATURE_64_BIT_INODE in the macOS man page for stat(2).
  42.         //
  43.         // "Platforms that existed before these updates were available" refers
  44.         // to macOS (as opposed to iOS / wearOS / etc.) on Intel and PowerPC.
  45.         #[cfg(all(target_os = "macos", target_arch = "x86_64"))]
  46.         #[link_name = "readdir$INODE64"]
  47.         pub unsafe fn readdir(s: *mut DIR) -> *const dirent;
  48.         pub unsafe fn closedir(s: *mut DIR) -> c_int;
  49.     }
  50. }
  51. use std::ffi::{CStr, CString, OsStr, OsString};
  52. use std::os::unix::ffi::OsStrExt;
  53. #[derive(Debug)]
  54. struct DirectoryIterator {
  55.     path: CString,
  56.     dir: *mut ffi::DIR,
  57. }
  58. impl DirectoryIterator {
  59.     fn new(path: &str) -> Result<DirectoryIterator, String> {
  60.         // Call opendir and return a Ok value if that worked,
  61.         // otherwise return Err with a message.
  62.         unimplemented!()
  63.     }
  64. }
  65. impl Iterator for DirectoryIterator {
  66.     type Item = OsString;
  67.     fn next(&mut self) -> Option<OsString> {
  68.         // Keep calling readdir until we get a NULL pointer back.
  69.         unimplemented!()
  70.     }
  71. }
  72. impl Drop for DirectoryIterator {
  73.     fn drop(&mut self) {
  74.         // Call closedir as needed.
  75.         unimplemented!()
  76.     }
  77. }
  78. fn main() -> Result<(), String> {
  79.     let iter = DirectoryIterator::new(".")?;
  80.     println!("files: {:#?}", iter.collect::<Vec<_>>());
  81.     Ok(())
  82. }