riot_wrappers/vfs.rs
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 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365
//! Access to the [Virtual File System (VFS) layer](http://doc.riot-os.org/group__sys__vfs.html)
//!
//! This abstraction tries not to be smart about modes -- a [File] opened with RDONLY will still
//! have a write method, and because file operations are generally fallible, writes will just fail.
//!
//! ## Panics
//!
//! This module violently asserts that file names are UTF-8 encoded (a condition easily satisfied
//! if only ASCII file names are used).
//!
//! ## Incomplete
//!
//! So far, only a subset of VFS is implemented; in particular, the file system is read-only.
use core::marker::PhantomData;
use core::mem::MaybeUninit;
use core::pin::Pin;
use pin_project::{pin_project, pinned_drop};
use riot_sys::libc;
use crate::error::{NegativeErrorExt, NumericError};
use crate::helpers::{PointerToCStr, SliceToCStr};
#[derive(Copy, Clone, Debug)]
struct NameTooLong;
#[derive(Copy, Clone, Debug)]
struct NameContainsIllegalNull;
impl From<NameTooLong> for NumericError {
fn from(_: NameTooLong) -> NumericError {
crate::error::ENOMEM
}
}
impl From<NameContainsIllegalNull> for NumericError {
fn from(_: NameContainsIllegalNull) -> NumericError {
crate::error::EINVAL
}
}
struct NameNullTerminated(heapless::String<{ riot_sys::VFS_NAME_MAX as usize + 1 }>);
impl NameNullTerminated {
fn new(name: &str) -> Result<Self, NameTooLong> {
let mut buf = heapless::String::new();
buf.push_str(name).map_err(|_| NameTooLong)?;
buf.push_str("\0").map_err(|_| NameTooLong)?;
Ok(NameNullTerminated(buf))
}
fn as_cstr(&self) -> Result<&core::ffi::CStr, NameContainsIllegalNull> {
core::ffi::CStr::from_bytes_with_nul(self.0.as_str().as_bytes())
.map_err(|_| NameContainsIllegalNull)
}
}
/// A file handle
#[derive(Debug)]
pub struct File {
// Nonnegative, actually -- but as long as NumericError isn't known-negative, this doesn't help
// with returning results.
fileno: libc::c_int,
// Sending file descriptors around is currently possible in RIOT, but discouraged
_not_send_sync: PhantomData<*const ()>,
}
/// Results of a file stat operation
#[derive(Debug)]
pub struct Stat(riot_sys::stat);
impl Stat {
/// The current size of the file
pub fn size(&self) -> usize {
self.0.st_size as _
}
}
/// Parameter for seeking in a file
///
/// It is analogous to [std::io::SeekFrom](https://doc.rust-lang.org/std/io/enum.SeekFrom.html).
#[derive(Debug)]
pub enum SeekFrom {
/// Seek to the given position from the start of the file
Start(usize),
/// Seek to the given position relative to the end of the file
End(isize),
/// Seek to the given position relative to the current cursor position
Current(isize),
}
impl File {
/// Open a file in read-only mode.
pub fn open(path: &str) -> Result<Self, NumericError> {
let path = NameNullTerminated::new(path)?;
let fileno = unsafe {
riot_sys::vfs_open(path.as_cstr()?.as_ptr() as _, riot_sys::O_RDONLY as _, 0)
}
.negative_to_error()?;
Ok(File {
fileno,
_not_send_sync: PhantomData,
})
}
/// Obtain metadata of the file.
pub fn stat(&self) -> Result<Stat, NumericError> {
let mut stat = MaybeUninit::uninit();
(unsafe { riot_sys::vfs_fstat(self.fileno, stat.as_mut_ptr()) }).negative_to_error()?;
let stat = unsafe { stat.assume_init() };
Ok(Stat(stat))
}
/// Read into the given buffer from the current cursor position in the file, and advance the
/// cursor by the read length, which is also returned.
pub fn read(&mut self, buf: &mut [u8]) -> Result<usize, NumericError> {
(unsafe {
riot_sys::vfs_read(
self.fileno,
buf.as_mut_ptr() as *mut libc::c_void,
buf.len() as _,
)
})
.negative_to_error()
.map(|len| len as _)
}
/// Move the file cursor to the indicated position.
pub fn seek(&mut self, pos: SeekFrom) -> Result<usize, NumericError> {
let (off, whence) = match pos {
SeekFrom::Start(i) => (i as _, riot_sys::SEEK_SET as _),
SeekFrom::Current(i) => (i as _, riot_sys::SEEK_CUR as _),
SeekFrom::End(i) => (i as _, riot_sys::SEEK_END as _),
};
(unsafe { riot_sys::vfs_lseek(self.fileno, off, whence) })
.negative_to_error()
.map(|r| r as _)
}
}
impl Drop for File {
fn drop(&mut self) {
unsafe { riot_sys::vfs_close(self.fileno) };
}
}
/// A place where a [Dir] can be stored
///
/// See [`Dir::open()`] for why this is necessary.
///
/// As for its implementation, this is built from an Option rather than a bare MaybeUninit because
/// if the created Dir is leaked and then the DirSlot is dropped, the DirSlot needs to know whether
/// or not to do any cleanup.
///
/// ## Invariants
///
/// This module maintains that the MaybeUninit is always initialized outside of its own functions,
/// and that no panicking functions are called while it is uninit.
#[derive(Default)]
#[pin_project(PinnedDrop)]
pub struct DirSlot(
#[pin] Option<MaybeUninit<riot_sys::vfs_DIR>>,
core::marker::PhantomPinned,
);
impl DirSlot {
/// Cleanly replace any Some with None.
fn close(mut self: Pin<&mut Self>) {
if let Some(mut dir) = self.as_mut().project().0.as_pin_mut() {
// unsafe: dir was initialized per invariants, so it's OK to call the function.
// The return value is ignored because we can't do anything about it.
unsafe { riot_sys::vfs_closedir(dir.as_mut_ptr()) };
}
// unsafe: The MaybeUninit is uninitialized now thanks to closedir, and is thus free to be
// replaced.
*{ unsafe { Pin::into_inner_unchecked(self.project().0) } } = None;
}
}
#[pinned_drop]
impl PinnedDrop for DirSlot {
fn drop(self: Pin<&mut Self>) {
self.close();
}
}
/// A directory in the file system
///
/// The directory can be iterated over, producing directory entries one by one.
///
/// ## Invariants
///
/// While this is active, the inner [DirSlot] always contains Some (and, in particular, per its
/// invariants, its content is initialized).
pub struct Dir<'a>(Pin<&'a mut DirSlot>);
impl<'d> Dir<'d> {
/// Open a directory
///
/// Unlike files (which are plain numeric file handles in RIOT), an open directory is a data
/// structure, and depending on the underlying file system may be a linked list. Therefore, we
/// can not return the open directory (and move it in the course of that), but need its place
/// to be pre-pinned. A simple `pin!(&mut Default::default())` will to to get a suitable
/// `slot`.
pub fn open<'name>(
name: &'name str,
mut slot: Pin<&'d mut DirSlot>,
) -> Result<Self, NumericError> {
slot.as_mut().close();
let name = NameNullTerminated::new(name)?;
let dir = { unsafe { Pin::into_inner_unchecked(slot.as_mut().project().0) } }
.insert(MaybeUninit::uninit());
match (unsafe { riot_sys::vfs_opendir(dir.as_mut_ptr(), name.as_cstr()?.as_ptr() as _) })
.negative_to_error()
{
Ok(_) => (),
Err(e) => {
slot.0 = None;
return Err(e);
}
};
Ok(Dir(slot))
}
}
impl Drop for Dir<'_> {
fn drop(&mut self) {
// This is not required for soundness, but helps keep the number of open directories low on
// file systems where that matters.
self.0.as_mut().close();
}
}
impl<'d> Iterator for Dir<'d> {
type Item = Dirent<'d>;
fn next(&mut self) -> Option<Dirent<'d>> {
let mut ent = MaybeUninit::uninit();
let Some(mut dir) = self.0.as_mut().project().0.as_pin_mut() else {
unreachable!("Dir always has Some in it slot");
};
let ret = (unsafe { riot_sys::vfs_readdir(dir.as_mut_ptr(), ent.as_mut_ptr()) })
.negative_to_error()
.ok()?;
if ret > 0 {
Some(Dirent(unsafe { ent.assume_init() }, PhantomData))
} else {
None
}
}
}
/// Directory entry inside a file
///
/// The entry primarily indicates the file's name.
pub struct Dirent<'d>(riot_sys::vfs_dirent_t, PhantomData<&'d ()>);
impl Dirent<'_> {
/// Name of the file
///
/// This will panic if the file name is not encoded in UTF-8.
pub fn name(&self) -> &str {
let mut name = self
.0
.d_name
.to_cstr()
// *We* could continue, but it's way more likely to be an error
.expect("File name does not have a trailing null character")
.to_str()
.expect("File name not UTF-8 encoded");
// Workaround for https://github.com/RIOT-OS/RIOT/issues/14635
while name.starts_with("/") {
name = &name[1..];
}
name
}
}
/// A mount point, represented (and made un-unmountable) by its root directory
pub struct Mount<'a>(&'a mut riot_sys::vfs_DIR);
/// Lending iterator over all mount points
///
/// Note that while looking like an iterator, this does not actually implement Iterator -- it
/// can't, for not all the items it produces necessarily live long enough. (It could if there were
/// an `fdup` for directories, but then again that'd be wasteful for the typical case where the
/// user doesn't need the iterator's long lifetime).
///
/// While `LendingIterator` is not in the core library, this just implements something sufficiently
/// similar in the style of the
/// [StreamingIterator](https://docs.rs/streaming-iterator/latest/streaming_iterator/) (thus
/// avoiding GATs).
pub struct MountIter {
dir: MaybeUninit<riot_sys::vfs_DIR>,
_phantom: core::marker::PhantomPinned,
}
impl MountIter {
pub fn next(&mut self) -> Option<Mount<'_>> {
// unsafe: Our dir is always either zeroed or managed by mount_dirs
if unsafe { riot_sys::vfs_iterate_mount_dirs(self.dir.as_mut_ptr()) } {
// unsafe: API says there's something initialized in there (and the lifetime is
// justified from locking self which owns the dir)
Some(Mount(unsafe { self.dir.assume_init_mut() }))
} else {
// Go back to starting condition because there's no guarantee this won't be called
// after the last element. This restores safe order, and also contains the information
// Drop needs to decide whether or not something is in here that needs to be closed.
self.dir = MaybeUninit::zeroed();
None
}
}
fn is_zeroed(&self) -> bool {
// unsafe: Type has the right size and u8 seems like the best way to test for zeroness
(unsafe {
core::slice::from_raw_parts(
self.dir.as_ptr() as *const u8,
core::mem::size_of::<riot_sys::vfs_DIR>(),
)
}) == &[0; core::mem::size_of::<riot_sys::vfs_DIR>()]
}
}
impl Drop for MountIter {
fn drop(&mut self) {
if !self.is_zeroed() {
// unsafe: API function used as documented in vfs_iterate_mount_dirs
unsafe { riot_sys::vfs_closedir(self.dir.as_mut_ptr()) };
}
}
}
impl<'a> Mount<'a> {
/// List all mount points
#[doc(alias = "vfs_iterate_mount_dirs")]
pub fn all() -> MountIter {
MountIter {
dir: MaybeUninit::zeroed(),
_phantom: core::marker::PhantomPinned,
}
}
/// Use the mount point as a directory iterator
///
/// Note that reading its entries mutates the `Mount` instance as the opened directory is
/// internal to it; a second call to this function may produce an empty iterator (just like
/// attempting to read entries from an already exhausted [Dir] does); this may change if VFS's
/// directories gain rewind support.
pub fn root_dir(&mut self) -> &'a mut Dir {
// unsafe: Legitimized by the Dir being transparent, and by Dir not doing anything that'd
// invalidate the dir's openness as long as it's not owned.
unsafe { &mut *(self.0 as *mut _ as *mut _) }
}
pub fn mount_point(&self) -> &'a str {
// FIXME: Docs say to treat as opaque
unsafe { (*self.0.mp).mount_point.to_lifetimed_cstr() }
.expect("Mount point is NULL")
.to_str()
.expect("Mount point not UTF-8 encoded")
}
}