embedded_fat/
lib.rs

1//! # embedded-sdmmc
2//!
3//! > An SD/MMC Library written in Embedded Rust
4//!
5//! This crate is intended to allow you to read/write files on a FAT formatted
6//! SD card on your Rust Embedded device, as easily as using the `SdFat` Arduino
7//! library. It is written in pure-Rust, is `#![no_std]` and does not use
8//! `alloc` or `collections` to keep the memory footprint low. In the first
9//! instance it is designed for readability and simplicity over performance.
10//!
11//! ## Using the crate
12//!
13//! You will need something that implements the `BlockDevice` trait, which can
14//! read and write the 512-byte blocks (or sectors) from your card. If you were
15//! to implement this over USB Mass Storage, there's no reason this crate
16//! couldn't work with a USB Thumb Drive, but we only supply a `BlockDevice`
17//! suitable for reading SD and SDHC cards over SPI.
18//!
19//! ## Features
20//!
21//! * `log`: Enabled by default. Generates log messages using the `log` crate.
22//! * `defmt-log`: By turning off the default features and enabling the
23//! `defmt-log` feature you can configure this crate to log messages over defmt
24//! instead.
25//!
26//! You cannot enable both the `log` feature and the `defmt-log` feature.
27
28#![cfg_attr(not(test), no_std)]
29#![feature(async_fn_in_trait)]
30#![deny(missing_docs)]
31
32// ****************************************************************************
33//
34// Imports
35//
36// ****************************************************************************
37
38#[cfg(test)]
39#[macro_use]
40extern crate hex_literal;
41
42#[macro_use]
43mod structure;
44
45pub mod blockdevice;
46pub mod fat;
47pub mod filesystem;
48
49#[doc(inline)]
50pub use crate::blockdevice::{Block, BlockCount, BlockDevice, BlockIdx};
51
52#[doc(inline)]
53pub use crate::fat::FatVolume;
54
55#[doc(inline)]
56pub use crate::filesystem::{
57    Attributes, ClusterId, DirEntry, Directory, File, FilenameError, Mode, ShortFileName,
58    TimeSource, Timestamp, MAX_FILE_SIZE,
59};
60
61use filesystem::DirectoryInfo;
62
63mod volume;
64#[doc(inline)]
65pub use volume::Volume;
66
67#[cfg(all(feature = "defmt-log", feature = "log"))]
68compile_error!("Cannot enable both log and defmt-log");
69
70#[cfg(feature = "log")]
71use log::{debug, trace, warn};
72
73#[cfg(feature = "defmt-log")]
74use defmt::{debug, trace, warn};
75
76#[cfg(all(not(feature = "defmt-log"), not(feature = "log")))]
77#[macro_export]
78/// Like log::debug! but does nothing at all
79macro_rules! debug {
80    ($($arg:tt)+) => {};
81}
82
83#[cfg(all(not(feature = "defmt-log"), not(feature = "log")))]
84#[macro_export]
85/// Like log::trace! but does nothing at all
86macro_rules! trace {
87    ($($arg:tt)+) => {};
88}
89
90#[cfg(all(not(feature = "defmt-log"), not(feature = "log")))]
91#[macro_export]
92/// Like log::warn! but does nothing at all
93macro_rules! warn {
94    ($($arg:tt)+) => {};
95}
96
97// ****************************************************************************
98//
99// Public Types
100//
101// ****************************************************************************
102
103/// Represents all the ways the functions in this crate can fail.
104#[cfg_attr(feature = "defmt-log", derive(defmt::Format))]
105#[derive(Debug, Clone)]
106pub enum Error<E>
107where
108    E: core::fmt::Debug,
109{
110    /// The underlying block device threw an error.
111    DeviceError(E),
112    /// The filesystem is badly formatted (or this code is buggy).
113    FormatError(&'static str),
114    /// The given `VolumeIdx` was bad,
115    NoSuchVolume,
116    /// The given filename was bad
117    FilenameError(FilenameError),
118    /// Out of memory opening volumes
119    TooManyOpenVolumes,
120    /// Out of memory opening directories
121    TooManyOpenDirs,
122    /// Out of memory opening files
123    TooManyOpenFiles,
124    /// Bad handle given
125    BadHandle,
126    /// That file doesn't exist
127    FileNotFound,
128    /// You can't open a file twice or delete an open file
129    FileAlreadyOpen,
130    /// You can't open a directory twice
131    DirAlreadyOpen,
132    /// You can't open a directory as a file
133    OpenedDirAsFile,
134    /// You can't open a file as a directory
135    OpenedFileAsDir,
136    /// You can't delete a directory as a file
137    DeleteDirAsFile,
138    /// You can't close a volume with open files or directories
139    VolumeStillInUse,
140    /// You can't open a volume twice
141    VolumeAlreadyOpen,
142    /// We can't do that yet
143    Unsupported,
144    /// Tried to read beyond end of file
145    EndOfFile,
146    /// Found a bad cluster
147    BadCluster,
148    /// Error while converting types
149    ConversionError,
150    /// The device does not have enough space for the operation
151    NotEnoughSpace,
152    /// Cluster was not properly allocated by the library
153    AllocationError,
154    /// Jumped to free space during FAT traversing
155    UnterminatedFatChain,
156    /// Tried to open Read-Only file with write mode
157    ReadOnly,
158    /// Tried to create an existing file
159    FileAlreadyExists,
160    /// Bad block size - only 512 byte blocks supported
161    BadBlockSize(u16),
162    /// Bad offset given when seeking
163    InvalidOffset,
164}
165
166impl<E> From<E> for Error<E>
167where
168    E: core::fmt::Debug,
169{
170    fn from(value: E) -> Error<E> {
171        Error::DeviceError(value)
172    }
173}
174
175/// This enum holds the data for the various different types of filesystems we
176/// support.
177#[cfg_attr(feature = "defmt-log", derive(defmt::Format))]
178#[derive(Debug, PartialEq, Eq)]
179pub enum VolumeType {
180    /// FAT16/FAT32 formatted volumes.
181    Fat(FatVolume),
182}
183
184// ****************************************************************************
185//
186// Unit Tests
187//
188// ****************************************************************************
189
190// None