blob: cbd24a9c7a4d26e584078554a5917852d0267f92 [file] [log] [blame]
Victor Hsieh88ac6ca2020-11-13 15:20:24 -08001/*
2 * Copyright (C) 2021 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 * http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
Victor Hsieh79f296b2021-12-02 15:38:08 -080017mod mount;
18
Victor Hsiehd18b9752021-11-09 16:03:34 -080019use anyhow::{anyhow, bail, Result};
Victor Hsieh43a751e2021-12-09 17:10:58 -080020use fuse::filesystem::{
21 Context, DirEntry, DirectoryIterator, Entry, FileSystem, FsOptions, GetxattrReply,
22 SetattrValid, ZeroCopyReader, ZeroCopyWriter,
23};
24use fuse::sys::OpenOptions as FuseOpenOptions;
Victor Hsieh3dccf702021-12-02 15:45:14 -080025use log::{debug, error, warn};
Victor Hsieh4d6b9d42021-11-08 15:53:49 -080026use std::collections::{btree_map, BTreeMap};
Victor Hsieh43a751e2021-12-09 17:10:58 -080027use std::convert::{TryFrom, TryInto};
28use std::ffi::{CStr, CString, OsStr};
Victor Hsieh88ac6ca2020-11-13 15:20:24 -080029use std::io;
Victor Hsiehf7fc3d32021-11-22 10:20:33 -080030use std::mem::{zeroed, MaybeUninit};
Victor Hsieh88ac6ca2020-11-13 15:20:24 -080031use std::option::Option;
Victor Hsieh79f296b2021-12-02 15:38:08 -080032use std::os::unix::ffi::OsStrExt;
Victor Hsiehd18b9752021-11-09 16:03:34 -080033use std::path::{Component, Path, PathBuf};
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -080034use std::sync::atomic::{AtomicU64, Ordering};
Victor Hsieh43a751e2021-12-09 17:10:58 -080035use std::sync::{Arc, Mutex};
Victor Hsieh88ac6ca2020-11-13 15:20:24 -080036use std::time::Duration;
37
Victor Hsiehac4f3f42021-02-26 12:35:58 -080038use crate::common::{divide_roundup, ChunkedSizeIter, CHUNK_SIZE};
Victor Hsieh6a47e7f2021-03-03 15:53:49 -080039use crate::file::{
Victor Hsiehf393a722021-12-08 13:04:27 -080040 validate_basename, Attr, InMemoryDir, RandomWrite, ReadByChunk, RemoteDirEditor,
41 RemoteFileEditor, RemoteFileReader, RemoteMerkleTreeReader,
Victor Hsieh6a47e7f2021-03-03 15:53:49 -080042};
Victor Hsiehf7fc3d32021-11-22 10:20:33 -080043use crate::fsstat::RemoteFsStatsReader;
Victor Hsieh6a47e7f2021-03-03 15:53:49 -080044use crate::fsverity::{VerifiedFileEditor, VerifiedFileReader};
Victor Hsieh88ac6ca2020-11-13 15:20:24 -080045
Victor Hsieh79f296b2021-12-02 15:38:08 -080046pub use self::mount::mount_and_enter_message_loop;
47use self::mount::MAX_WRITE_BYTES;
48
Victor Hsieh88ac6ca2020-11-13 15:20:24 -080049pub type Inode = u64;
50type Handle = u64;
51
Victor Hsieh26cea2f2021-11-03 10:28:33 -070052const DEFAULT_METADATA_TIMEOUT: Duration = Duration::from_secs(5);
53const ROOT_INODE: Inode = 1;
54
55/// `AuthFsEntry` defines the filesystem entry type supported by AuthFS.
56pub enum AuthFsEntry {
Victor Hsieh4d6b9d42021-11-08 15:53:49 -080057 /// A read-only directory (writable during initialization). Root directory is an example.
58 ReadonlyDirectory { dir: InMemoryDir },
Victor Hsieh1bcf4112021-03-19 14:26:57 -070059 /// A file type that is verified against fs-verity signature (thus read-only). The file is
Victor Hsieh1bcf4112021-03-19 14:26:57 -070060 /// served from a remote server.
Victor Hsieh88e50172021-10-15 13:27:13 -070061 VerifiedReadonly {
Victor Hsieh1bcf4112021-03-19 14:26:57 -070062 reader: VerifiedFileReader<RemoteFileReader, RemoteMerkleTreeReader>,
63 file_size: u64,
64 },
Victor Hsiehf7fc3d32021-11-22 10:20:33 -080065 /// A file type that is a read-only passthrough from a file on a remote server.
Victor Hsieh88e50172021-10-15 13:27:13 -070066 UnverifiedReadonly { reader: RemoteFileReader, file_size: u64 },
Victor Hsieh1bcf4112021-03-19 14:26:57 -070067 /// A file type that is initially empty, and the content is stored on a remote server. File
68 /// integrity is guaranteed with private Merkle tree.
Victor Hsiehf393a722021-12-08 13:04:27 -080069 VerifiedNew { editor: VerifiedFileEditor<RemoteFileEditor>, attr: Attr },
Victor Hsieh45636232021-10-15 17:52:51 -070070 /// A directory type that is initially empty. One can create new file (`VerifiedNew`) and new
71 /// directory (`VerifiedNewDirectory` itself) with integrity guaranteed within the VM.
Victor Hsiehf393a722021-12-08 13:04:27 -080072 VerifiedNewDirectory { dir: RemoteDirEditor, attr: Attr },
Victor Hsieh88ac6ca2020-11-13 15:20:24 -080073}
74
Victor Hsiehdd99b462021-12-02 17:36:15 -080075impl AuthFsEntry {
Victor Hsiehf393a722021-12-08 13:04:27 -080076 fn expect_empty_deletable_directory(&self) -> io::Result<()> {
Victor Hsiehdd99b462021-12-02 17:36:15 -080077 match self {
Victor Hsiehf393a722021-12-08 13:04:27 -080078 AuthFsEntry::VerifiedNewDirectory { dir, .. } => {
Victor Hsiehdd99b462021-12-02 17:36:15 -080079 if dir.number_of_entries() == 0 {
80 Ok(())
81 } else {
82 Err(io::Error::from_raw_os_error(libc::ENOTEMPTY))
83 }
84 }
85 AuthFsEntry::ReadonlyDirectory { .. } => {
86 Err(io::Error::from_raw_os_error(libc::EACCES))
87 }
88 _ => Err(io::Error::from_raw_os_error(libc::ENOTDIR)),
89 }
90 }
91}
92
Victor Hsieh3dccf702021-12-02 15:45:14 -080093struct InodeState {
94 /// Actual inode entry.
95 entry: AuthFsEntry,
96
97 /// Number of `Handle`s (i.e. file descriptors) that are currently referring to the this inode.
98 ///
99 /// Technically, this does not matter to readonly entries, since they live forever. The
100 /// reference count is only needed for manageing lifetime of writable entries like `VerifiedNew`
101 /// and `VerifiedNewDirectory`. That is, when an entry is deleted, the actual entry needs to
102 /// stay alive until the reference count reaches zero.
103 ///
104 /// Note: This is not to be confused with hardlinks, which AuthFS doesn't currently implement.
105 handle_ref_count: u64,
Victor Hsiehdd99b462021-12-02 17:36:15 -0800106
107 /// Whether the inode is already unlinked, i.e. should be removed, once `handle_ref_count` is
108 /// down to zero.
109 unlinked: bool,
Victor Hsieh3dccf702021-12-02 15:45:14 -0800110}
111
112impl InodeState {
113 fn new(entry: AuthFsEntry) -> Self {
Victor Hsiehdd99b462021-12-02 17:36:15 -0800114 InodeState { entry, handle_ref_count: 0, unlinked: false }
Victor Hsieh3dccf702021-12-02 15:45:14 -0800115 }
116
117 fn new_with_ref_count(entry: AuthFsEntry, handle_ref_count: u64) -> Self {
Victor Hsiehdd99b462021-12-02 17:36:15 -0800118 InodeState { entry, handle_ref_count, unlinked: false }
Victor Hsieh3dccf702021-12-02 15:45:14 -0800119 }
120}
121
Victor Hsieh43a751e2021-12-09 17:10:58 -0800122/// Data type that a directory implementation should be able to present its entry to `AuthFs`.
123#[derive(Clone)]
124pub struct AuthFsDirEntry {
125 pub inode: Inode,
126 pub name: CString,
127 pub is_dir: bool,
128}
129
130/// A snapshot of a directory entries for supporting `readdir` operation.
131///
132/// The `readdir` implementation is required by FUSE to not return any entries that have been
133/// returned previously (while it's fine to not return new entries). Snapshot is the easiest way to
134/// be compliant. See `fuse::filesystem::readdir` for more details.
135///
136/// A `DirEntriesSnapshot` is created on `opendir`, and is associated with the returned
137/// `Handle`/FD. The snapshot is deleted when the handle is released in `releasedir`.
138type DirEntriesSnapshot = Vec<AuthFsDirEntry>;
139
140/// An iterator for reading from `DirEntriesSnapshot`.
141pub struct DirEntriesSnapshotIterator {
142 /// A reference to the `DirEntriesSnapshot` in `AuthFs`.
143 snapshot: Arc<DirEntriesSnapshot>,
144
145 /// A value determined by `Self` to identify the last entry. 0 is a reserved value by FUSE to
146 /// mean reading from the beginning.
147 prev_offset: usize,
148}
149
150impl<'a> DirectoryIterator for DirEntriesSnapshotIterator {
151 fn next(&mut self) -> Option<DirEntry> {
152 // This iterator should not be the only reference to the snapshot. The snapshot should
153 // still be hold in `dir_handle_table`, i.e. when the FD is not yet closed.
154 //
155 // This code is unreachable when `readdir` is called with a closed FD. Only when the FD is
156 // not yet closed, `DirEntriesSnapshotIterator` can be created (but still short-lived
157 // during `readdir`).
158 debug_assert!(Arc::strong_count(&self.snapshot) >= 2);
159
160 // Since 0 is reserved, let's use 1-based index for the offset. This allows us to
161 // resume from the previous read in the snapshot easily.
162 let current_offset = if self.prev_offset == 0 {
163 1 // first element in the vector
164 } else {
165 self.prev_offset + 1 // next element in the vector
166 };
167 if current_offset > self.snapshot.len() {
168 None
169 } else {
170 let AuthFsDirEntry { inode, name, is_dir } = &self.snapshot[current_offset - 1];
171 let entry = DirEntry {
172 offset: current_offset as u64,
173 ino: *inode,
174 name,
175 type_: if *is_dir { libc::DT_DIR.into() } else { libc::DT_REG.into() },
176 };
177 self.prev_offset = current_offset;
178 Some(entry)
179 }
180 }
181}
182
183type DirHandleTable = BTreeMap<Handle, Arc<DirEntriesSnapshot>>;
184
Victor Hsieh60c2f412021-11-03 13:02:19 -0700185// AuthFS needs to be `Sync` to be accepted by fuse::worker::start_message_loop as a `FileSystem`.
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800186pub struct AuthFs {
Victor Hsieh3dccf702021-12-02 15:45:14 -0800187 /// Table for `Inode` to `InodeState` lookup. This needs to be `Sync` to be used in
Victor Hsieh60c2f412021-11-03 13:02:19 -0700188 /// `fuse::worker::start_message_loop`.
Victor Hsieh3dccf702021-12-02 15:45:14 -0800189 inode_table: Mutex<BTreeMap<Inode, InodeState>>,
Victor Hsieh60c2f412021-11-03 13:02:19 -0700190
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -0800191 /// The next available inode number.
192 next_inode: AtomicU64,
Victor Hsiehf7fc3d32021-11-22 10:20:33 -0800193
Victor Hsieh43a751e2021-12-09 17:10:58 -0800194 /// Table for `Handle` to `Arc<DirEntriesSnapshot>` lookup. On `opendir`, a new directory handle
195 /// is created and the snapshot of the current directory is created. This is not super
196 /// efficient, but is the simplest way to be compliant to the FUSE contract (see
197 /// `fuse::filesystem::readdir`).
198 ///
199 /// Currently, no code locks `dir_handle_table` and `inode_table` at the same time to avoid
200 /// deadlock.
201 dir_handle_table: Mutex<DirHandleTable>,
202
203 /// The next available handle number.
204 next_handle: AtomicU64,
205
Victor Hsiehf7fc3d32021-11-22 10:20:33 -0800206 /// A reader to access the remote filesystem stats, which is supposed to be of "the" output
207 /// directory. We assume all output are stored in the same partition.
208 remote_fs_stats_reader: RemoteFsStatsReader,
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800209}
210
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800211// Implementation for preparing an `AuthFs` instance, before starting to serve.
212// TODO(victorhsieh): Consider implement a builder to separate the mutable initialization from the
213// immutable / interiorly mutable serving phase.
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800214impl AuthFs {
Victor Hsiehf7fc3d32021-11-22 10:20:33 -0800215 pub fn new(remote_fs_stats_reader: RemoteFsStatsReader) -> AuthFs {
Victor Hsieh60c2f412021-11-03 13:02:19 -0700216 let mut inode_table = BTreeMap::new();
Victor Hsieh3dccf702021-12-02 15:45:14 -0800217 inode_table.insert(
218 ROOT_INODE,
219 InodeState::new(AuthFsEntry::ReadonlyDirectory { dir: InMemoryDir::new() }),
220 );
Victor Hsieh60c2f412021-11-03 13:02:19 -0700221
Victor Hsiehf7fc3d32021-11-22 10:20:33 -0800222 AuthFs {
223 inode_table: Mutex::new(inode_table),
224 next_inode: AtomicU64::new(ROOT_INODE + 1),
Victor Hsieh43a751e2021-12-09 17:10:58 -0800225 dir_handle_table: Mutex::new(BTreeMap::new()),
226 next_handle: AtomicU64::new(1),
Victor Hsiehf7fc3d32021-11-22 10:20:33 -0800227 remote_fs_stats_reader,
228 }
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800229 }
230
Victor Hsiehd18b9752021-11-09 16:03:34 -0800231 /// Add an `AuthFsEntry` as `basename` to the filesystem root.
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800232 pub fn add_entry_at_root_dir(
233 &mut self,
234 basename: PathBuf,
235 entry: AuthFsEntry,
236 ) -> Result<Inode> {
Victor Hsiehd18b9752021-11-09 16:03:34 -0800237 validate_basename(&basename)?;
238 self.add_entry_at_ro_dir_by_path(ROOT_INODE, &basename, entry)
239 }
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800240
Victor Hsiehd18b9752021-11-09 16:03:34 -0800241 /// Add an `AuthFsEntry` by path from the `ReadonlyDirectory` represented by `dir_inode`. The
242 /// path must be a related path. If some ancestor directories do not exist, they will be
243 /// created (also as `ReadonlyDirectory`) automatically.
244 pub fn add_entry_at_ro_dir_by_path(
245 &mut self,
246 dir_inode: Inode,
247 path: &Path,
248 entry: AuthFsEntry,
249 ) -> Result<Inode> {
250 // 1. Make sure the parent directories all exist. Derive the entry's parent inode.
251 let parent_path =
252 path.parent().ok_or_else(|| anyhow!("No parent directory: {:?}", path))?;
253 let parent_inode =
254 parent_path.components().try_fold(dir_inode, |current_dir_inode, path_component| {
255 match path_component {
256 Component::RootDir => bail!("Absolute path is not supported"),
257 Component::Normal(name) => {
258 let inode_table = self.inode_table.get_mut().unwrap();
259 // Locate the internal directory structure.
Victor Hsieh3dccf702021-12-02 15:45:14 -0800260 let current_dir_entry = &mut inode_table
261 .get_mut(&current_dir_inode)
262 .ok_or_else(|| {
Victor Hsiehd18b9752021-11-09 16:03:34 -0800263 anyhow!("Unknown directory inode {}", current_dir_inode)
Victor Hsieh3dccf702021-12-02 15:45:14 -0800264 })?
265 .entry;
Victor Hsiehd18b9752021-11-09 16:03:34 -0800266 let dir = match current_dir_entry {
267 AuthFsEntry::ReadonlyDirectory { dir } => dir,
268 _ => unreachable!("Not a ReadonlyDirectory"),
269 };
270 // Return directory inode. Create first if not exists.
271 if let Some(existing_inode) = dir.lookup_inode(name.as_ref()) {
272 Ok(existing_inode)
273 } else {
274 let new_inode = self.next_inode.fetch_add(1, Ordering::Relaxed);
275 let new_dir_entry =
276 AuthFsEntry::ReadonlyDirectory { dir: InMemoryDir::new() };
277
278 // Actually update the tables.
Victor Hsieh43a751e2021-12-09 17:10:58 -0800279 dir.add_dir(name.as_ref(), new_inode)?;
Victor Hsieh3dccf702021-12-02 15:45:14 -0800280 if inode_table
281 .insert(new_inode, InodeState::new(new_dir_entry))
282 .is_some()
283 {
Victor Hsiehd18b9752021-11-09 16:03:34 -0800284 bail!("Unexpected to find a duplicated inode");
285 }
286 Ok(new_inode)
287 }
288 }
289 _ => Err(anyhow!("Path is not canonical: {:?}", path)),
290 }
291 })?;
292
293 // 2. Insert the entry to the parent directory, as well as the inode table.
294 let inode_table = self.inode_table.get_mut().unwrap();
Victor Hsieh3dccf702021-12-02 15:45:14 -0800295 let inode_state = inode_table.get_mut(&parent_inode).expect("previously returned inode");
296 match &mut inode_state.entry {
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800297 AuthFsEntry::ReadonlyDirectory { dir } => {
Victor Hsiehd18b9752021-11-09 16:03:34 -0800298 let basename =
299 path.file_name().ok_or_else(|| anyhow!("Bad file name: {:?}", path))?;
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800300 let new_inode = self.next_inode.fetch_add(1, Ordering::Relaxed);
301
Victor Hsiehd18b9752021-11-09 16:03:34 -0800302 // Actually update the tables.
Victor Hsieh43a751e2021-12-09 17:10:58 -0800303 dir.add_file(basename.as_ref(), new_inode)?;
Victor Hsieh3dccf702021-12-02 15:45:14 -0800304 if inode_table.insert(new_inode, InodeState::new(entry)).is_some() {
Victor Hsiehd18b9752021-11-09 16:03:34 -0800305 bail!("Unexpected to find a duplicated inode");
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800306 }
307 Ok(new_inode)
308 }
Victor Hsiehd18b9752021-11-09 16:03:34 -0800309 _ => unreachable!("Not a ReadonlyDirectory"),
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800310 }
311 }
312}
313
314// Implementation for serving requests.
315impl AuthFs {
Victor Hsieh45636232021-10-15 17:52:51 -0700316 /// Handles the file associated with `inode` if found. This function returns whatever
317 /// `handle_fn` returns.
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700318 fn handle_inode<F, R>(&self, inode: &Inode, handle_fn: F) -> io::Result<R>
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700319 where
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700320 F: FnOnce(&AuthFsEntry) -> io::Result<R>,
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700321 {
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700322 let inode_table = self.inode_table.lock().unwrap();
Victor Hsieh3dccf702021-12-02 15:45:14 -0800323 handle_inode_locked(&inode_table, inode, |inode_state| handle_fn(&inode_state.entry))
Victor Hsieh45636232021-10-15 17:52:51 -0700324 }
325
Victor Hsieh3dccf702021-12-02 15:45:14 -0800326 /// Adds a new entry `name` created by `create_fn` at `parent_inode`, with an initial ref count
327 /// of one.
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -0800328 ///
329 /// The operation involves two updates: adding the name with a new allocated inode to the
330 /// parent directory, and insert the new inode and the actual `AuthFsEntry` to the global inode
331 /// table.
332 ///
333 /// `create_fn` receives the parent directory, through which it can create the new entry at and
334 /// register the new inode to. Its returned entry is then added to the inode table.
Victor Hsieh3dccf702021-12-02 15:45:14 -0800335 fn create_new_entry_with_ref_count<F>(
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -0800336 &self,
337 parent_inode: Inode,
338 name: &CStr,
339 create_fn: F,
340 ) -> io::Result<Inode>
Victor Hsieh45636232021-10-15 17:52:51 -0700341 where
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -0800342 F: FnOnce(&mut AuthFsEntry, &Path, Inode) -> io::Result<AuthFsEntry>,
Victor Hsieh45636232021-10-15 17:52:51 -0700343 {
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700344 let mut inode_table = self.inode_table.lock().unwrap();
Victor Hsieh3dccf702021-12-02 15:45:14 -0800345 let (new_inode, new_file_entry) = handle_inode_mut_locked(
346 &mut inode_table,
347 &parent_inode,
348 |InodeState { entry, .. }| {
349 let new_inode = self.next_inode.fetch_add(1, Ordering::Relaxed);
350 let basename: &Path = cstr_to_path(name);
351 let new_file_entry = create_fn(entry, basename, new_inode)?;
352 Ok((new_inode, new_file_entry))
353 },
354 )?;
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -0800355
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700356 if let btree_map::Entry::Vacant(entry) = inode_table.entry(new_inode) {
Victor Hsieh3dccf702021-12-02 15:45:14 -0800357 entry.insert(InodeState::new_with_ref_count(new_file_entry, 1));
Victor Hsieh45636232021-10-15 17:52:51 -0700358 Ok(new_inode)
359 } else {
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -0800360 unreachable!("Unexpected duplication of inode {}", new_inode);
Victor Hsieh45636232021-10-15 17:52:51 -0700361 }
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800362 }
Victor Hsieh43a751e2021-12-09 17:10:58 -0800363
364 fn open_dir_store_snapshot(
365 &self,
366 dir_entries: Vec<AuthFsDirEntry>,
367 ) -> io::Result<(Option<Handle>, FuseOpenOptions)> {
368 let handle = self.next_handle.fetch_add(1, Ordering::Relaxed);
369 let mut dir_handle_table = self.dir_handle_table.lock().unwrap();
370 if let btree_map::Entry::Vacant(value) = dir_handle_table.entry(handle) {
371 value.insert(Arc::new(dir_entries));
372 Ok((Some(handle), FuseOpenOptions::empty()))
373 } else {
374 unreachable!("Unexpected to see new handle {} to existing in the table", handle);
375 }
376 }
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800377}
378
379fn check_access_mode(flags: u32, mode: libc::c_int) -> io::Result<()> {
380 if (flags & libc::O_ACCMODE as u32) == mode as u32 {
381 Ok(())
382 } else {
383 Err(io::Error::from_raw_os_error(libc::EACCES))
384 }
385}
386
387cfg_if::cfg_if! {
388 if #[cfg(all(target_arch = "aarch64", target_pointer_width = "64"))] {
Victor Hsiehda3fbc42021-02-23 16:12:49 -0800389 fn blk_size() -> libc::c_int { CHUNK_SIZE as libc::c_int }
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800390 } else {
Victor Hsiehda3fbc42021-02-23 16:12:49 -0800391 fn blk_size() -> libc::c_long { CHUNK_SIZE as libc::c_long }
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800392 }
393}
394
Victor Hsieh45636232021-10-15 17:52:51 -0700395#[allow(clippy::enum_variant_names)]
396enum AccessMode {
Victor Hsieh6a47e7f2021-03-03 15:53:49 -0800397 ReadOnly,
Victor Hsiehf393a722021-12-08 13:04:27 -0800398 Variable(u32),
Victor Hsieh6a47e7f2021-03-03 15:53:49 -0800399}
400
Victor Hsieh45636232021-10-15 17:52:51 -0700401fn create_stat(
402 ino: libc::ino_t,
403 file_size: u64,
404 access_mode: AccessMode,
405) -> io::Result<libc::stat64> {
406 // SAFETY: stat64 is a plan C struct without pointer.
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800407 let mut st = unsafe { MaybeUninit::<libc::stat64>::zeroed().assume_init() };
408
409 st.st_ino = ino;
Victor Hsieh45636232021-10-15 17:52:51 -0700410 st.st_mode = match access_mode {
Victor Hsiehf393a722021-12-08 13:04:27 -0800411 AccessMode::ReadOnly => {
412 // Until needed, let's just grant the owner access.
413 libc::S_IFREG | libc::S_IRUSR
414 }
415 AccessMode::Variable(mode) => libc::S_IFREG | mode,
Victor Hsieh6a47e7f2021-03-03 15:53:49 -0800416 };
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800417 st.st_nlink = 1;
418 st.st_uid = 0;
419 st.st_gid = 0;
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800420 st.st_size = libc::off64_t::try_from(file_size)
421 .map_err(|_| io::Error::from_raw_os_error(libc::EFBIG))?;
422 st.st_blksize = blk_size();
423 // Per man stat(2), st_blocks is "Number of 512B blocks allocated".
424 st.st_blocks = libc::c_longlong::try_from(divide_roundup(file_size, 512))
425 .map_err(|_| io::Error::from_raw_os_error(libc::EFBIG))?;
426 Ok(st)
427}
428
Victor Hsiehf393a722021-12-08 13:04:27 -0800429fn create_dir_stat(
430 ino: libc::ino_t,
431 file_number: u16,
432 access_mode: AccessMode,
433) -> io::Result<libc::stat64> {
Victor Hsieh45636232021-10-15 17:52:51 -0700434 // SAFETY: stat64 is a plan C struct without pointer.
435 let mut st = unsafe { MaybeUninit::<libc::stat64>::zeroed().assume_init() };
436
437 st.st_ino = ino;
Victor Hsiehf393a722021-12-08 13:04:27 -0800438 st.st_mode = match access_mode {
439 AccessMode::ReadOnly => {
440 // Until needed, let's just grant the owner access and search to group and others.
441 libc::S_IFDIR | libc::S_IXUSR | libc::S_IRUSR | libc::S_IXGRP | libc::S_IXOTH
442 }
443 AccessMode::Variable(mode) => libc::S_IFDIR | mode,
444 };
Victor Hsieh45636232021-10-15 17:52:51 -0700445
446 // 2 extra for . and ..
447 st.st_nlink = file_number
448 .checked_add(2)
449 .ok_or_else(|| io::Error::from_raw_os_error(libc::EOVERFLOW))?
450 .into();
451
452 st.st_uid = 0;
453 st.st_gid = 0;
454 Ok(st)
455}
456
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800457fn offset_to_chunk_index(offset: u64) -> u64 {
Victor Hsiehda3fbc42021-02-23 16:12:49 -0800458 offset / CHUNK_SIZE
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800459}
460
Victor Hsiehd0bb5d32021-03-19 12:48:03 -0700461fn read_chunks<W: io::Write, T: ReadByChunk>(
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800462 mut w: W,
463 file: &T,
464 file_size: u64,
465 offset: u64,
466 size: u32,
467) -> io::Result<usize> {
468 let remaining = file_size.saturating_sub(offset);
469 let size_to_read = std::cmp::min(size as usize, remaining as usize);
Victor Hsiehac4f3f42021-02-26 12:35:58 -0800470 let total = ChunkedSizeIter::new(size_to_read, offset, CHUNK_SIZE as usize).try_fold(
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800471 0,
472 |total, (current_offset, planned_data_size)| {
473 // TODO(victorhsieh): There might be a non-trivial way to avoid this copy. For example,
474 // instead of accepting a buffer, the writer could expose the final destination buffer
475 // for the reader to write to. It might not be generally applicable though, e.g. with
476 // virtio transport, the buffer may not be continuous.
Victor Hsiehda3fbc42021-02-23 16:12:49 -0800477 let mut buf = [0u8; CHUNK_SIZE as usize];
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800478 let read_size = file.read_chunk(offset_to_chunk_index(current_offset), &mut buf)?;
479 if read_size < planned_data_size {
480 return Err(io::Error::from_raw_os_error(libc::ENODATA));
481 }
482
Victor Hsiehda3fbc42021-02-23 16:12:49 -0800483 let begin = (current_offset % CHUNK_SIZE) as usize;
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800484 let end = begin + planned_data_size;
485 let s = w.write(&buf[begin..end])?;
486 if s != planned_data_size {
487 return Err(io::Error::from_raw_os_error(libc::EIO));
488 }
489 Ok(total + s)
490 },
491 )?;
492
493 Ok(total)
494}
495
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800496impl FileSystem for AuthFs {
497 type Inode = Inode;
498 type Handle = Handle;
Victor Hsieh43a751e2021-12-09 17:10:58 -0800499 type DirIter = DirEntriesSnapshotIterator;
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800500
501 fn max_buffer_size(&self) -> u32 {
Victor Hsieh766e5332021-11-09 09:41:25 -0800502 MAX_WRITE_BYTES
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800503 }
504
Victor Hsieh6a47e7f2021-03-03 15:53:49 -0800505 fn init(&self, _capable: FsOptions) -> io::Result<FsOptions> {
506 // Enable writeback cache for better performance especially since our bandwidth to the
507 // backend service is limited.
508 Ok(FsOptions::WRITEBACK_CACHE)
509 }
510
Victor Hsieh45636232021-10-15 17:52:51 -0700511 fn lookup(&self, _ctx: Context, parent: Inode, name: &CStr) -> io::Result<Entry> {
Victor Hsieh3dccf702021-12-02 15:45:14 -0800512 let mut inode_table = self.inode_table.lock().unwrap();
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800513
Victor Hsieh3dccf702021-12-02 15:45:14 -0800514 // Look up the entry's inode number in parent directory.
515 let inode =
516 handle_inode_locked(&inode_table, &parent, |inode_state| match &inode_state.entry {
517 AuthFsEntry::ReadonlyDirectory { dir } => {
518 let path = cstr_to_path(name);
519 dir.lookup_inode(path).ok_or_else(|| io::Error::from_raw_os_error(libc::ENOENT))
520 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800521 AuthFsEntry::VerifiedNewDirectory { dir, .. } => {
Victor Hsieh3dccf702021-12-02 15:45:14 -0800522 let path = cstr_to_path(name);
Victor Hsiehdd99b462021-12-02 17:36:15 -0800523 dir.find_inode(path)
Victor Hsieh3dccf702021-12-02 15:45:14 -0800524 }
525 _ => Err(io::Error::from_raw_os_error(libc::ENOTDIR)),
526 })?;
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800527
528 // Create the entry's stat if found.
Victor Hsieh3dccf702021-12-02 15:45:14 -0800529 let st = handle_inode_mut_locked(
530 &mut inode_table,
531 &inode,
532 |InodeState { entry, handle_ref_count, .. }| {
533 let st = match entry {
534 AuthFsEntry::ReadonlyDirectory { dir } => {
Victor Hsiehf393a722021-12-08 13:04:27 -0800535 create_dir_stat(inode, dir.number_of_entries(), AccessMode::ReadOnly)
Victor Hsieh3dccf702021-12-02 15:45:14 -0800536 }
537 AuthFsEntry::UnverifiedReadonly { file_size, .. }
538 | AuthFsEntry::VerifiedReadonly { file_size, .. } => {
539 create_stat(inode, *file_size, AccessMode::ReadOnly)
540 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800541 AuthFsEntry::VerifiedNew { editor, attr, .. } => {
542 create_stat(inode, editor.size(), AccessMode::Variable(attr.mode()))
Victor Hsieh3dccf702021-12-02 15:45:14 -0800543 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800544 AuthFsEntry::VerifiedNewDirectory { dir, attr } => create_dir_stat(
545 inode,
546 dir.number_of_entries(),
547 AccessMode::Variable(attr.mode()),
548 ),
Victor Hsieh3dccf702021-12-02 15:45:14 -0800549 }?;
550 *handle_ref_count += 1;
551 Ok(st)
552 },
553 )?;
554
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800555 Ok(Entry {
556 inode,
557 generation: 0,
558 attr: st,
559 entry_timeout: DEFAULT_METADATA_TIMEOUT,
560 attr_timeout: DEFAULT_METADATA_TIMEOUT,
561 })
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800562 }
563
Victor Hsieh3dccf702021-12-02 15:45:14 -0800564 fn forget(&self, _ctx: Context, inode: Self::Inode, count: u64) {
565 let mut inode_table = self.inode_table.lock().unwrap();
Victor Hsiehdd99b462021-12-02 17:36:15 -0800566 let delete_now = handle_inode_mut_locked(
Victor Hsieh3dccf702021-12-02 15:45:14 -0800567 &mut inode_table,
568 &inode,
Victor Hsiehdd99b462021-12-02 17:36:15 -0800569 |InodeState { handle_ref_count, unlinked, .. }| {
Victor Hsieh3dccf702021-12-02 15:45:14 -0800570 if count > *handle_ref_count {
571 error!(
572 "Trying to decrease refcount of inode {} by {} (> current {})",
573 inode, count, *handle_ref_count
574 );
575 panic!(); // log to logcat with error!
576 }
577 *handle_ref_count = handle_ref_count.saturating_sub(count);
Victor Hsiehdd99b462021-12-02 17:36:15 -0800578 Ok(*unlinked && *handle_ref_count == 0)
Victor Hsieh3dccf702021-12-02 15:45:14 -0800579 },
580 );
Victor Hsiehdd99b462021-12-02 17:36:15 -0800581
582 match delete_now {
583 Ok(true) => {
584 let _ = inode_table.remove(&inode).expect("Removed an existing entry");
585 }
586 Ok(false) => { /* Let the inode stay */ }
587 Err(e) => {
588 warn!(
589 "Unexpected failure when tries to forget an inode {} by refcount {}: {:?}",
590 inode, count, e
591 );
592 }
593 }
Victor Hsieh3dccf702021-12-02 15:45:14 -0800594 }
595
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800596 fn getattr(
597 &self,
598 _ctx: Context,
599 inode: Inode,
600 _handle: Option<Handle>,
601 ) -> io::Result<(libc::stat64, Duration)> {
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700602 self.handle_inode(&inode, |config| {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700603 Ok((
604 match config {
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800605 AuthFsEntry::ReadonlyDirectory { dir } => {
Victor Hsiehf393a722021-12-08 13:04:27 -0800606 create_dir_stat(inode, dir.number_of_entries(), AccessMode::ReadOnly)
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800607 }
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700608 AuthFsEntry::UnverifiedReadonly { file_size, .. }
609 | AuthFsEntry::VerifiedReadonly { file_size, .. } => {
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800610 create_stat(inode, *file_size, AccessMode::ReadOnly)
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700611 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800612 AuthFsEntry::VerifiedNew { editor, attr, .. } => {
613 create_stat(inode, editor.size(), AccessMode::Variable(attr.mode()))
Victor Hsieh45636232021-10-15 17:52:51 -0700614 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800615 AuthFsEntry::VerifiedNewDirectory { dir, attr } => create_dir_stat(
616 inode,
617 dir.number_of_entries(),
618 AccessMode::Variable(attr.mode()),
619 ),
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800620 }?,
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700621 DEFAULT_METADATA_TIMEOUT,
622 ))
623 })
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800624 }
625
626 fn open(
627 &self,
628 _ctx: Context,
629 inode: Self::Inode,
630 flags: u32,
Victor Hsieh43a751e2021-12-09 17:10:58 -0800631 ) -> io::Result<(Option<Self::Handle>, FuseOpenOptions)> {
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800632 // Since file handle is not really used in later operations (which use Inode directly),
Victor Hsieh09e26262021-03-03 16:00:55 -0800633 // return None as the handle.
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700634 self.handle_inode(&inode, |config| {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700635 match config {
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700636 AuthFsEntry::VerifiedReadonly { .. } | AuthFsEntry::UnverifiedReadonly { .. } => {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700637 check_access_mode(flags, libc::O_RDONLY)?;
638 }
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700639 AuthFsEntry::VerifiedNew { .. } => {
Victor Hsiehf393a722021-12-08 13:04:27 -0800640 // TODO(victorhsieh): Imeplement ACL check using the attr and ctx. Always allow
641 // for now.
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700642 }
Victor Hsieh4d6b9d42021-11-08 15:53:49 -0800643 AuthFsEntry::ReadonlyDirectory { .. }
644 | AuthFsEntry::VerifiedNewDirectory { .. } => {
Victor Hsieh45636232021-10-15 17:52:51 -0700645 // TODO(victorhsieh): implement when needed.
646 return Err(io::Error::from_raw_os_error(libc::ENOSYS));
647 }
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800648 }
Victor Hsieh45636232021-10-15 17:52:51 -0700649 // Always cache the file content. There is currently no need to support direct I/O or
650 // avoid the cache buffer. Memory mapping is only possible with cache enabled.
Victor Hsieh43a751e2021-12-09 17:10:58 -0800651 Ok((None, FuseOpenOptions::KEEP_CACHE))
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700652 })
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800653 }
654
Victor Hsieh45636232021-10-15 17:52:51 -0700655 fn create(
656 &self,
657 _ctx: Context,
658 parent: Self::Inode,
659 name: &CStr,
Victor Hsiehf393a722021-12-08 13:04:27 -0800660 mode: u32,
Victor Hsieh45636232021-10-15 17:52:51 -0700661 _flags: u32,
Victor Hsiehf393a722021-12-08 13:04:27 -0800662 umask: u32,
Victor Hsieh43a751e2021-12-09 17:10:58 -0800663 ) -> io::Result<(Entry, Option<Self::Handle>, FuseOpenOptions)> {
Victor Hsieh45636232021-10-15 17:52:51 -0700664 // TODO(205172873): handle O_TRUNC and O_EXCL properly.
Victor Hsieh3dccf702021-12-02 15:45:14 -0800665 let new_inode = self.create_new_entry_with_ref_count(
666 parent,
667 name,
668 |parent_entry, basename, new_inode| match parent_entry {
Victor Hsiehf393a722021-12-08 13:04:27 -0800669 AuthFsEntry::VerifiedNewDirectory { dir, .. } => {
Victor Hsiehdd99b462021-12-02 17:36:15 -0800670 if dir.has_entry(basename) {
Victor Hsieh3dccf702021-12-02 15:45:14 -0800671 return Err(io::Error::from_raw_os_error(libc::EEXIST));
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -0800672 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800673 let mode = mode & !umask;
674 let (new_file, new_attr) = dir.create_file(basename, new_inode, mode)?;
675 Ok(AuthFsEntry::VerifiedNew { editor: new_file, attr: new_attr })
Victor Hsieh45636232021-10-15 17:52:51 -0700676 }
Victor Hsieh3dccf702021-12-02 15:45:14 -0800677 _ => Err(io::Error::from_raw_os_error(libc::EBADF)),
678 },
679 )?;
Victor Hsieh45636232021-10-15 17:52:51 -0700680
681 Ok((
682 Entry {
683 inode: new_inode,
684 generation: 0,
Victor Hsiehf393a722021-12-08 13:04:27 -0800685 attr: create_stat(new_inode, /* file_size */ 0, AccessMode::Variable(mode))?,
Victor Hsieh45636232021-10-15 17:52:51 -0700686 entry_timeout: DEFAULT_METADATA_TIMEOUT,
687 attr_timeout: DEFAULT_METADATA_TIMEOUT,
688 },
689 // See also `open`.
690 /* handle */ None,
Victor Hsieh43a751e2021-12-09 17:10:58 -0800691 FuseOpenOptions::KEEP_CACHE,
Victor Hsieh45636232021-10-15 17:52:51 -0700692 ))
693 }
694
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800695 fn read<W: io::Write + ZeroCopyWriter>(
696 &self,
697 _ctx: Context,
698 inode: Inode,
699 _handle: Handle,
700 w: W,
701 size: u32,
702 offset: u64,
703 _lock_owner: Option<u64>,
704 _flags: u32,
705 ) -> io::Result<usize> {
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700706 self.handle_inode(&inode, |config| {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700707 match config {
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700708 AuthFsEntry::VerifiedReadonly { reader, file_size } => {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700709 read_chunks(w, reader, *file_size, offset, size)
710 }
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700711 AuthFsEntry::UnverifiedReadonly { reader, file_size } => {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700712 read_chunks(w, reader, *file_size, offset, size)
713 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800714 AuthFsEntry::VerifiedNew { editor, .. } => {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700715 // Note that with FsOptions::WRITEBACK_CACHE, it's possible for the kernel to
716 // request a read even if the file is open with O_WRONLY.
717 read_chunks(w, editor, editor.size(), offset, size)
718 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800719 AuthFsEntry::ReadonlyDirectory { .. }
720 | AuthFsEntry::VerifiedNewDirectory { .. } => {
721 Err(io::Error::from_raw_os_error(libc::EISDIR))
722 }
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800723 }
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700724 })
Victor Hsieh6a47e7f2021-03-03 15:53:49 -0800725 }
726
727 fn write<R: io::Read + ZeroCopyReader>(
728 &self,
729 _ctx: Context,
730 inode: Self::Inode,
731 _handle: Self::Handle,
732 mut r: R,
733 size: u32,
734 offset: u64,
735 _lock_owner: Option<u64>,
736 _delayed_write: bool,
737 _flags: u32,
738 ) -> io::Result<usize> {
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700739 self.handle_inode(&inode, |config| match config {
Victor Hsiehf393a722021-12-08 13:04:27 -0800740 AuthFsEntry::VerifiedNew { editor, .. } => {
Victor Hsieh6a47e7f2021-03-03 15:53:49 -0800741 let mut buf = vec![0; size as usize];
742 r.read_exact(&mut buf)?;
Victor Hsieh1bcf4112021-03-19 14:26:57 -0700743 editor.write_at(&buf, offset)
Victor Hsieh6a47e7f2021-03-03 15:53:49 -0800744 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800745 AuthFsEntry::VerifiedReadonly { .. } | AuthFsEntry::UnverifiedReadonly { .. } => {
746 Err(io::Error::from_raw_os_error(libc::EPERM))
747 }
748 AuthFsEntry::ReadonlyDirectory { .. } | AuthFsEntry::VerifiedNewDirectory { .. } => {
749 Err(io::Error::from_raw_os_error(libc::EISDIR))
750 }
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700751 })
Victor Hsieh88ac6ca2020-11-13 15:20:24 -0800752 }
Victor Hsieh9d0ab622021-04-26 17:07:02 -0700753
754 fn setattr(
755 &self,
756 _ctx: Context,
757 inode: Inode,
Victor Hsiehf393a722021-12-08 13:04:27 -0800758 in_attr: libc::stat64,
Victor Hsieh9d0ab622021-04-26 17:07:02 -0700759 _handle: Option<Handle>,
760 valid: SetattrValid,
761 ) -> io::Result<(libc::stat64, Duration)> {
Victor Hsiehf393a722021-12-08 13:04:27 -0800762 let mut inode_table = self.inode_table.lock().unwrap();
763 handle_inode_mut_locked(&mut inode_table, &inode, |InodeState { entry, .. }| match entry {
764 AuthFsEntry::VerifiedNew { editor, attr } => {
765 check_unsupported_setattr_request(valid)?;
Victor Hsieh9d0ab622021-04-26 17:07:02 -0700766
Victor Hsiehf393a722021-12-08 13:04:27 -0800767 // Initialize the default stat.
768 let mut new_attr =
769 create_stat(inode, editor.size(), AccessMode::Variable(attr.mode()))?;
770 // `valid` indicates what fields in `attr` are valid. Update to return correctly.
771 if valid.contains(SetattrValid::SIZE) {
772 // st_size is i64, but the cast should be safe since kernel should not give a
773 // negative size.
774 debug_assert!(in_attr.st_size >= 0);
775 new_attr.st_size = in_attr.st_size;
776 editor.resize(in_attr.st_size as u64)?;
Victor Hsieh9d0ab622021-04-26 17:07:02 -0700777 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800778 if valid.contains(SetattrValid::MODE) {
779 attr.set_mode(in_attr.st_mode)?;
780 new_attr.st_mode = in_attr.st_mode;
781 }
782 Ok((new_attr, DEFAULT_METADATA_TIMEOUT))
Victor Hsieh9d0ab622021-04-26 17:07:02 -0700783 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800784 AuthFsEntry::VerifiedNewDirectory { dir, attr } => {
785 check_unsupported_setattr_request(valid)?;
786 if valid.contains(SetattrValid::SIZE) {
787 return Err(io::Error::from_raw_os_error(libc::EISDIR));
788 }
789
790 // Initialize the default stat.
791 let mut new_attr = create_dir_stat(
792 inode,
793 dir.number_of_entries(),
794 AccessMode::Variable(attr.mode()),
795 )?;
796 if valid.contains(SetattrValid::MODE) {
797 attr.set_mode(in_attr.st_mode)?;
798 new_attr.st_mode = in_attr.st_mode;
799 }
800 Ok((new_attr, DEFAULT_METADATA_TIMEOUT))
801 }
802 _ => Err(io::Error::from_raw_os_error(libc::EPERM)),
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700803 })
Victor Hsieh9d0ab622021-04-26 17:07:02 -0700804 }
Victor Hsieh71f10032021-08-13 11:24:02 -0700805
806 fn getxattr(
807 &self,
808 _ctx: Context,
809 inode: Self::Inode,
810 name: &CStr,
811 size: u32,
812 ) -> io::Result<GetxattrReply> {
Victor Hsieh26cea2f2021-11-03 10:28:33 -0700813 self.handle_inode(&inode, |config| {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700814 match config {
Victor Hsiehf393a722021-12-08 13:04:27 -0800815 AuthFsEntry::VerifiedNew { editor, .. } => {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700816 // FUSE ioctl is limited, thus we can't implement fs-verity ioctls without a kernel
817 // change (see b/196635431). Until it's possible, use xattr to expose what we need
818 // as an authfs specific API.
819 if name != CStr::from_bytes_with_nul(b"authfs.fsverity.digest\0").unwrap() {
820 return Err(io::Error::from_raw_os_error(libc::ENODATA));
821 }
Victor Hsieh71f10032021-08-13 11:24:02 -0700822
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700823 if size == 0 {
824 // Per protocol, when size is 0, return the value size.
825 Ok(GetxattrReply::Count(editor.get_fsverity_digest_size() as u32))
Victor Hsieh71f10032021-08-13 11:24:02 -0700826 } else {
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700827 let digest = editor.calculate_fsverity_digest()?;
828 if digest.len() > size as usize {
829 Err(io::Error::from_raw_os_error(libc::ERANGE))
830 } else {
831 Ok(GetxattrReply::Value(digest.to_vec()))
832 }
Victor Hsieh71f10032021-08-13 11:24:02 -0700833 }
834 }
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700835 _ => Err(io::Error::from_raw_os_error(libc::ENODATA)),
Victor Hsieh71f10032021-08-13 11:24:02 -0700836 }
Victor Hsiehc85e4ef2021-10-18 15:28:53 -0700837 })
Victor Hsieh71f10032021-08-13 11:24:02 -0700838 }
Victor Hsieh45636232021-10-15 17:52:51 -0700839
840 fn mkdir(
841 &self,
842 _ctx: Context,
843 parent: Self::Inode,
844 name: &CStr,
Victor Hsiehf393a722021-12-08 13:04:27 -0800845 mode: u32,
846 umask: u32,
Victor Hsieh45636232021-10-15 17:52:51 -0700847 ) -> io::Result<Entry> {
Victor Hsieh3dccf702021-12-02 15:45:14 -0800848 let new_inode = self.create_new_entry_with_ref_count(
849 parent,
850 name,
851 |parent_entry, basename, new_inode| match parent_entry {
Victor Hsiehf393a722021-12-08 13:04:27 -0800852 AuthFsEntry::VerifiedNewDirectory { dir, .. } => {
Victor Hsiehdd99b462021-12-02 17:36:15 -0800853 if dir.has_entry(basename) {
Victor Hsieh3dccf702021-12-02 15:45:14 -0800854 return Err(io::Error::from_raw_os_error(libc::EEXIST));
Victor Hsiehd5a5b1e2021-11-09 11:42:34 -0800855 }
Victor Hsiehf393a722021-12-08 13:04:27 -0800856 let mode = mode & !umask;
857 let (new_dir, new_attr) = dir.mkdir(basename, new_inode, mode)?;
858 Ok(AuthFsEntry::VerifiedNewDirectory { dir: new_dir, attr: new_attr })
Victor Hsieh45636232021-10-15 17:52:51 -0700859 }
Victor Hsieh3dccf702021-12-02 15:45:14 -0800860 AuthFsEntry::ReadonlyDirectory { .. } => {
861 Err(io::Error::from_raw_os_error(libc::EACCES))
862 }
863 _ => Err(io::Error::from_raw_os_error(libc::EBADF)),
864 },
865 )?;
Victor Hsieh45636232021-10-15 17:52:51 -0700866
867 Ok(Entry {
868 inode: new_inode,
869 generation: 0,
Victor Hsiehf393a722021-12-08 13:04:27 -0800870 attr: create_dir_stat(new_inode, /* file_number */ 0, AccessMode::Variable(mode))?,
Victor Hsieh45636232021-10-15 17:52:51 -0700871 entry_timeout: DEFAULT_METADATA_TIMEOUT,
872 attr_timeout: DEFAULT_METADATA_TIMEOUT,
873 })
874 }
Victor Hsiehf7fc3d32021-11-22 10:20:33 -0800875
Victor Hsiehdd99b462021-12-02 17:36:15 -0800876 fn unlink(&self, _ctx: Context, parent: Self::Inode, name: &CStr) -> io::Result<()> {
877 let mut inode_table = self.inode_table.lock().unwrap();
878 handle_inode_mut_locked(
879 &mut inode_table,
880 &parent,
881 |InodeState { entry, unlinked, .. }| match entry {
Victor Hsiehf393a722021-12-08 13:04:27 -0800882 AuthFsEntry::VerifiedNewDirectory { dir, .. } => {
Victor Hsiehdd99b462021-12-02 17:36:15 -0800883 let basename: &Path = cstr_to_path(name);
884 // Delete the file from in both the local and remote directories.
885 let _inode = dir.delete_file(basename)?;
886 *unlinked = true;
887 Ok(())
888 }
889 AuthFsEntry::ReadonlyDirectory { .. } => {
890 Err(io::Error::from_raw_os_error(libc::EACCES))
891 }
892 AuthFsEntry::VerifiedNew { .. } => {
893 // Deleting a entry in filesystem root is not currently supported.
894 Err(io::Error::from_raw_os_error(libc::ENOSYS))
895 }
896 AuthFsEntry::UnverifiedReadonly { .. } | AuthFsEntry::VerifiedReadonly { .. } => {
897 Err(io::Error::from_raw_os_error(libc::ENOTDIR))
898 }
899 },
900 )
901 }
902
903 fn rmdir(&self, _ctx: Context, parent: Self::Inode, name: &CStr) -> io::Result<()> {
904 let mut inode_table = self.inode_table.lock().unwrap();
905
906 // Check before actual removal, with readonly borrow.
907 handle_inode_locked(&inode_table, &parent, |inode_state| match &inode_state.entry {
Victor Hsiehf393a722021-12-08 13:04:27 -0800908 AuthFsEntry::VerifiedNewDirectory { dir, .. } => {
Victor Hsiehdd99b462021-12-02 17:36:15 -0800909 let basename: &Path = cstr_to_path(name);
910 let existing_inode = dir.find_inode(basename)?;
911 handle_inode_locked(&inode_table, &existing_inode, |inode_state| {
Victor Hsiehf393a722021-12-08 13:04:27 -0800912 inode_state.entry.expect_empty_deletable_directory()
Victor Hsiehdd99b462021-12-02 17:36:15 -0800913 })
914 }
915 AuthFsEntry::ReadonlyDirectory { .. } => {
916 Err(io::Error::from_raw_os_error(libc::EACCES))
917 }
918 _ => Err(io::Error::from_raw_os_error(libc::ENOTDIR)),
919 })?;
920
921 // Look up again, this time with mutable borrow. This needs to be done separately because
922 // the previous lookup needs to borrow multiple entry references in the table.
923 handle_inode_mut_locked(
924 &mut inode_table,
925 &parent,
926 |InodeState { entry, unlinked, .. }| match entry {
Victor Hsiehf393a722021-12-08 13:04:27 -0800927 AuthFsEntry::VerifiedNewDirectory { dir, .. } => {
Victor Hsiehdd99b462021-12-02 17:36:15 -0800928 let basename: &Path = cstr_to_path(name);
929 let _inode = dir.force_delete_directory(basename)?;
930 *unlinked = true;
931 Ok(())
932 }
933 _ => unreachable!("Mismatched entry type that is just checked"),
934 },
935 )
936 }
937
Victor Hsieh43a751e2021-12-09 17:10:58 -0800938 fn opendir(
939 &self,
940 _ctx: Context,
941 inode: Self::Inode,
942 _flags: u32,
943 ) -> io::Result<(Option<Self::Handle>, FuseOpenOptions)> {
944 let entries = self.handle_inode(&inode, |config| match config {
945 AuthFsEntry::VerifiedNewDirectory { dir, .. } => dir.retrieve_entries(),
946 AuthFsEntry::ReadonlyDirectory { dir } => dir.retrieve_entries(),
947 _ => Err(io::Error::from_raw_os_error(libc::ENOTDIR)),
948 })?;
949 self.open_dir_store_snapshot(entries)
950 }
951
952 fn readdir(
953 &self,
954 _ctx: Context,
955 _inode: Self::Inode,
956 handle: Self::Handle,
957 _size: u32,
958 offset: u64,
959 ) -> io::Result<Self::DirIter> {
960 let dir_handle_table = self.dir_handle_table.lock().unwrap();
961 if let Some(entry) = dir_handle_table.get(&handle) {
962 Ok(DirEntriesSnapshotIterator {
963 snapshot: entry.clone(),
964 prev_offset: offset.try_into().unwrap(),
965 })
966 } else {
967 Err(io::Error::from_raw_os_error(libc::EBADF))
968 }
969 }
970
971 fn releasedir(
972 &self,
973 _ctx: Context,
974 inode: Self::Inode,
975 _flags: u32,
976 handle: Self::Handle,
977 ) -> io::Result<()> {
978 let mut dir_handle_table = self.dir_handle_table.lock().unwrap();
979 if dir_handle_table.remove(&handle).is_none() {
980 unreachable!("Unknown directory handle {}, inode {}", handle, inode);
981 }
982 Ok(())
983 }
984
Victor Hsiehf7fc3d32021-11-22 10:20:33 -0800985 fn statfs(&self, _ctx: Context, _inode: Self::Inode) -> io::Result<libc::statvfs64> {
986 let remote_stat = self.remote_fs_stats_reader.statfs()?;
987
988 // Safe because we are zero-initializing a struct with only POD fields. Not all fields
989 // matter to FUSE. See also:
990 // https://git.kernel.org/pub/scm/linux/kernel/git/torvalds/linux.git/tree/fs/fuse/inode.c?h=v5.15#n460
991 let mut st: libc::statvfs64 = unsafe { zeroed() };
992
993 // Use the remote stat as a template, since it'd matter the most to consider the writable
994 // files/directories that are written to the remote.
995 st.f_bsize = remote_stat.block_size;
996 st.f_frsize = remote_stat.fragment_size;
997 st.f_blocks = remote_stat.block_numbers;
998 st.f_bavail = remote_stat.block_available;
999 st.f_favail = remote_stat.inodes_available;
1000 st.f_namemax = remote_stat.max_filename;
1001 // Assuming we are not privileged to use all free spaces on the remote server, set the free
1002 // blocks/fragment to the same available amount.
1003 st.f_bfree = st.f_bavail;
1004 st.f_ffree = st.f_favail;
1005 // Number of inodes on the filesystem
1006 st.f_files = self.inode_table.lock().unwrap().len() as u64;
1007
1008 Ok(st)
1009 }
Victor Hsieh88ac6ca2020-11-13 15:20:24 -08001010}
1011
Victor Hsieh3dccf702021-12-02 15:45:14 -08001012fn handle_inode_locked<F, R>(
1013 inode_table: &BTreeMap<Inode, InodeState>,
1014 inode: &Inode,
1015 handle_fn: F,
1016) -> io::Result<R>
1017where
1018 F: FnOnce(&InodeState) -> io::Result<R>,
1019{
1020 if let Some(inode_state) = inode_table.get(inode) {
1021 handle_fn(inode_state)
1022 } else {
1023 Err(io::Error::from_raw_os_error(libc::ENOENT))
1024 }
1025}
1026
1027fn handle_inode_mut_locked<F, R>(
1028 inode_table: &mut BTreeMap<Inode, InodeState>,
1029 inode: &Inode,
1030 handle_fn: F,
1031) -> io::Result<R>
1032where
1033 F: FnOnce(&mut InodeState) -> io::Result<R>,
1034{
1035 if let Some(inode_state) = inode_table.get_mut(inode) {
1036 handle_fn(inode_state)
1037 } else {
1038 Err(io::Error::from_raw_os_error(libc::ENOENT))
1039 }
1040}
1041
Victor Hsiehf393a722021-12-08 13:04:27 -08001042fn check_unsupported_setattr_request(valid: SetattrValid) -> io::Result<()> {
1043 if valid.contains(SetattrValid::UID) {
1044 warn!("Changing st_uid is not currently supported");
1045 return Err(io::Error::from_raw_os_error(libc::ENOSYS));
1046 }
1047 if valid.contains(SetattrValid::GID) {
1048 warn!("Changing st_gid is not currently supported");
1049 return Err(io::Error::from_raw_os_error(libc::ENOSYS));
1050 }
1051 if valid.intersects(
1052 SetattrValid::CTIME
1053 | SetattrValid::ATIME
1054 | SetattrValid::ATIME_NOW
1055 | SetattrValid::MTIME
1056 | SetattrValid::MTIME_NOW,
1057 ) {
1058 debug!("Ignoring ctime/atime/mtime change as authfs does not maintain timestamp currently");
1059 }
1060 Ok(())
1061}
1062
Victor Hsieh45636232021-10-15 17:52:51 -07001063fn cstr_to_path(cstr: &CStr) -> &Path {
1064 OsStr::from_bytes(cstr.to_bytes()).as_ref()
1065}