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
use alloc::{
boxed::Box,
collections::{btree_map, BTreeMap},
sync::{Arc, Weak},
};
use tracing::info;
use crate::{
io::NoDebug,
sync::{once::OnceLock, spin::rwlock::RwLock},
};
use super::{
path::{Component, Path, PathBuf},
EmptyFileSystem, FileSystem, FileSystemError,
};
static FILESYSTEM_MAPPING: OnceLock<FileSystemMapping> = OnceLock::new();
/// Retrieves the mapping for the given path.
///
/// This function traverses the filesystem mapping tree to find the appropriate mapping node for the given path.
/// It returns a tuple containing the mapping path, the remaining path after the mapping, and the corresponding mapping node.
///
/// # Parameters
///
/// * `path`: A reference to the path for which the mapping needs to be retrieved.
///
/// # Returns
///
/// * `Ok`: If the mapping is found successfully, it returns a tuple containing the mapping path, the remaining path, and the mapping node.
/// * `Err`: If the mapping is not found or an error occurs, it returns a `FileSystemError`.
pub fn get_mapping(path: &Path) -> Result<(PathBuf, &Path, Arc<MappingNode>), FileSystemError> {
FILESYSTEM_MAPPING.get().get_mapping(path)
}
/// Mounts a given filesystem at the specified path.
///
/// This function allows mounting a new filesystem at a specific path within the virtual filesystem.
/// If the path is "/", the provided filesystem becomes the root filesystem (if not already mounted).
/// If the path is not "/", the provided filesystem is mounted as a child of the filesystem at the specified path.
///
/// # Parameters
///
/// * `arg`: A reference to a string representing the path where the filesystem should be mounted.
/// The path must be absolute and not contain any ".." or "." components.
///
/// * `filesystem`: An `Arc` smart pointer to a trait object implementing the `FileSystem` trait.
/// This trait defines the behavior of the filesystem to be mounted.
///
/// # Returns
///
/// * `Ok(())`: If the filesystem is successfully mounted at the specified path.
///
/// * `Err(MappingError)`: If an error occurs during the mounting process.
/// The specific error can be one of the following:
/// - `MappingError::MustBeAbsolute`: If the provided path is not absolute.
/// - `MappingError::InvalidPath`: If the provided path contains ".." or "." components.
/// - `MappingError::PartOfParentNotMounted`: If the parent path of the provided path is not mounted.
/// - `MappingError::AlreadyMounted`: If the provided path is already mounted.
pub fn mount(arg: &str, filesystem: Arc<dyn FileSystem>) -> Result<(), MappingError> {
let mapping = FILESYSTEM_MAPPING.get_or_init(FileSystemMapping::empty_root);
if arg == "/" {
mapping.set_root(filesystem)
} else {
mapping.mount(arg, filesystem)
}
}
/// Unmounts all filesystems from the virtual filesystem.
/// This function removes all mounted filesystems from the virtual filesystem, effectively clearing
/// the filesystem mapping tree.
pub fn unmount_all() {
// The `Drop` will call `unmount` for each filesystem
FILESYSTEM_MAPPING.get().root.unmount_all(Path::new("/"));
}
/// Traverses the filesystem mapping tree and applies a handler function to all matching mappings.
///
/// This function iterates through the filesystem mapping tree, starting from the root, and applies a handler function
/// to all nodes whose paths match the provided input path. The matching is performed by comparing the components
/// of the input path with the components of the mapping paths.
///
/// # Parameters
///
/// * `inp_path`: A reference to the input path for which matching mappings need to be found.
/// The input path must be absolute and not contain any ".." or "." components.
///
/// * `handler`: A closure or function that takes a reference to a path and an `Arc` smart pointer to a trait object
/// implementing the `FileSystem` trait. This closure or function will be applied to each matching mapping.
///
/// # Returns
///
/// * `Ok(())`: If the traversal and application of the handler function are successful.
///
/// * `Err(FileSystemError)`: If an error occurs during the traversal or application of the handler function.
/// The specific error can be one of the following:
/// - `FileSystemError::MustBeAbsolute`: If the provided input path is not absolute.
/// - `FileSystemError::InvalidPath`: If the provided input path contains ".." or "." components.
pub fn on_all_matching_mappings(
inp_path: &Path,
handler: impl FnMut(&Path, Arc<dyn FileSystem>),
) -> Result<(), FileSystemError> {
FILESYSTEM_MAPPING
.get()
.on_all_matching_mappings(inp_path, handler)
}
#[derive(Debug)]
pub enum MappingError {
MustBeAbsolute,
InvalidPath,
PartOfParentNotMounted,
AlreadyMounted,
}
impl From<MappingError> for FileSystemError {
fn from(value: MappingError) -> Self {
Self::MappingError(value)
}
}
#[derive(Debug)]
#[allow(dead_code)]
pub struct MappingNode {
filesystem: NoDebug<RwLock<Arc<dyn FileSystem>>>,
parent: Weak<MappingNode>,
children: RwLock<BTreeMap<Box<str>, Arc<MappingNode>>>,
}
impl MappingNode {
fn check_and_treverse(
&self,
target: &Path,
this_component: Component<'_>,
handler: &mut dyn FnMut(&Path, Arc<dyn FileSystem>),
) -> Result<(), FileSystemError> {
let mut components = target.components();
// doesn't match anything from here, stop
if components.next() != Some(this_component) {
return Ok(());
}
if components.peek().is_none() {
for (name, node) in self.children.read().iter() {
node.treverse(name.into(), handler);
}
} else {
for (name, node) in self.children.read().iter() {
node.check_and_treverse(
components.as_path(),
Component::Normal(name.as_ref()),
handler,
)?;
}
}
Ok(())
}
fn treverse(&self, current_path: PathBuf, handler: &mut dyn FnMut(&Path, Arc<dyn FileSystem>)) {
handler(¤t_path, self.filesystem());
for (name, node) in self.children.read().iter() {
node.treverse(current_path.join(name.as_ref()), handler);
}
}
pub fn try_find_child(&self, component_name: &str) -> Option<Arc<MappingNode>> {
self.children.read().get(component_name).cloned()
}
pub fn filesystem(&self) -> Arc<dyn FileSystem> {
self.filesystem.0.read().clone()
}
pub fn parent(&self) -> Option<Arc<MappingNode>> {
self.parent.upgrade()
}
fn unmount_all(&self, this_name: &Path) {
let mut children = self.children.write();
while let Some((name, node)) = children.pop_first() {
node.unmount_all(&this_name.join(name.as_ref()));
}
info!("Unmounting {}", this_name.display());
let fs = core::mem::replace(&mut *self.filesystem.0.write(), Arc::new(EmptyFileSystem));
assert_eq!(
Arc::strong_count(&fs),
fs.number_global_refs() + 1, // number of global refs + this one
"Filesystem still in use"
);
fs.unmount();
}
}
#[derive(Debug)]
struct FileSystemMapping {
root: Arc<MappingNode>,
}
impl FileSystemMapping {
fn empty_root() -> Self {
Self {
root: Arc::new(MappingNode {
filesystem: NoDebug(RwLock::new(Arc::new(EmptyFileSystem))),
parent: Weak::new(),
children: RwLock::new(BTreeMap::new()),
}),
}
}
fn set_root(&self, filesystem: Arc<dyn FileSystem>) -> Result<(), MappingError> {
// Only `EmptyFileSystem` does this
if let Err(FileSystemError::FileNotFound) = self.root.filesystem().open_root() {
// FIXME: very bad. Not sure if there is race condition here, seems very suspicious
*self.root.filesystem.0.write() = filesystem;
Ok(())
} else {
Err(MappingError::AlreadyMounted)
}
}
fn get_mapping<'p>(
&self,
path: &'p Path,
) -> Result<(PathBuf, &'p Path, Arc<MappingNode>), FileSystemError> {
let mut current = self.root.clone();
// must start with `/`
let mut mapping_path = PathBuf::from("/");
let mut components = path.components();
if components.next() != Some(Component::RootDir) {
return Err(FileSystemError::MustBeAbsolute);
}
while let Some(component) = components.peek() {
match component {
Component::Normal(name) => {
if let Some(child) = current.try_find_child(name) {
mapping_path.push(name);
current = child;
} else {
break;
}
}
_ => {
break;
}
}
// consume
components.next();
}
Ok((mapping_path, components.as_path(), current))
}
fn on_all_matching_mappings(
&self,
path: &Path,
mut handler: impl FnMut(&Path, Arc<dyn FileSystem>),
) -> Result<(), FileSystemError> {
self.root
.check_and_treverse(path, Component::RootDir, &mut handler)
}
fn mount<P: AsRef<Path>>(
&self,
arg: P,
filesystem: Arc<dyn FileSystem>,
) -> Result<(), MappingError> {
let mut components: super::path::Components = arg.as_ref().components();
if components.next() != Some(Component::RootDir) {
return Err(MappingError::MustBeAbsolute);
}
{
// no `..` or `.` in the path
if components
.clone()
.any(|c| !matches!(c, Component::Normal(_)))
{
return Err(MappingError::InvalidPath);
}
}
let mut current_element = self.root.clone();
let size = components.clone().count();
for (i, component) in components.enumerate() {
let Component::Normal(component_path) = component else {
unreachable!("Already chacked all the components")
};
let is_last = i == size - 1;
match current_element
.clone()
.children
.write()
.entry(component_path.into())
{
btree_map::Entry::Vacant(entry) => {
if is_last {
entry.insert(Arc::new(MappingNode {
filesystem: NoDebug(RwLock::new(filesystem)),
parent: Arc::downgrade(¤t_element),
children: RwLock::new(BTreeMap::new()),
}));
return Ok(());
} else {
return Err(MappingError::PartOfParentNotMounted);
}
}
btree_map::Entry::Occupied(entry) => {
if is_last {
return Err(MappingError::AlreadyMounted);
} else {
current_element = entry.get().clone();
}
}
}
}
unreachable!("For some reason, it wasn't mounted")
}
}