oku_fs/fs/directory.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
use super::*;
use crate::error::OkuFsError;
use anyhow::anyhow;
use bytes::Bytes;
use futures::{future, pin_mut, StreamExt};
use iroh::client::docs::Entry;
use iroh::client::Doc;
use iroh::docs::DocTicket;
use iroh::{base::hash::Hash, docs::NamespaceId};
use log::error;
use miette::IntoDiagnostic;
use rayon::iter::{
IndexedParallelIterator, IntoParallelIterator, IntoParallelRefIterator, ParallelIterator,
};
use std::path::PathBuf;
impl OkuFs {
/// Reads the contents of the files in a directory.
///
/// # Arguments
///
/// * `namespace_id` - The ID of the replica containing the folder.
///
/// * `path` - The folder whose contents will be read.
///
/// # Returns
///
/// A list of file entries and the corresponding content as bytes.
pub async fn read_directory(
&self,
namespace_id: NamespaceId,
path: PathBuf,
) -> miette::Result<Vec<(Entry, Bytes)>> {
let entries = self.list_files(namespace_id, Some(path)).await?;
let bytes =
future::try_join_all(entries.iter().map(|entry| entry.content_bytes(&self.node)))
.await
.map_err(|e| miette::miette!("{}", e))?;
Ok(entries.into_par_iter().zip(bytes.into_par_iter()).collect())
}
/// Reads the contents of the files in a directory.
///
/// # Arguments
///
/// * `document` - A handle to the replica containing the folder.
///
/// * `path` - The folder whose contents will be read.
///
/// # Returns
///
/// A list of file entries and the corresponding content as bytes.
pub async fn read_directory_from_replica_handle(
&self,
document: Doc,
path: PathBuf,
) -> miette::Result<Vec<(Entry, Bytes)>> {
let query = iroh::docs::store::Query::single_latest_per_key()
.key_prefix(path_to_entry_prefix(path))
.build();
let entries = document
.get_many(query)
.await
.map_err(|e| miette::miette!("{}", e))?;
Ok(entries
.filter_map(|x| async move { x.ok() })
.filter_map(|x| async { x.content_bytes(&document).await.ok().map(|y| (x, y)) })
.collect::<Vec<_>>()
.await)
}
/// Moves a directory by copying it to a new location and deleting the original.
///
/// # Arguments
///
/// * `from_namespace_id` - The ID of the replica containing the directory to move.
///
/// * `to_namespace_id` - The ID of the replica to move the directory to.
///
/// * `from_path` - The path of the directory to move.
///
/// * `to_path` - The path to move the directory to.
///
/// # Returns
///
/// A tuple containing the list of file hashes for files at their new destinations, and the total number of replica entries deleted during the operation.
pub async fn move_directory(
&self,
from_namespace_id: NamespaceId,
from_path: PathBuf,
to_namespace_id: NamespaceId,
to_path: PathBuf,
) -> miette::Result<(Vec<Hash>, usize)> {
let mut entries_deleted = 0;
let mut moved_file_hashes = Vec::new();
let old_directory_files = self.list_files(from_namespace_id, Some(from_path)).await?;
for old_directory_file in old_directory_files {
let old_file_path = entry_key_to_path(old_directory_file.key())?;
let new_file_path = to_path.join(old_file_path.file_name().unwrap_or_default());
let file_move_info = self
.move_file(
from_namespace_id,
old_file_path,
to_namespace_id,
new_file_path,
)
.await?;
moved_file_hashes.push(file_move_info.0);
entries_deleted += file_move_info.1;
}
Ok((moved_file_hashes, entries_deleted))
}
/// Deletes a directory and all its contents.
///
/// # Arguments
///
/// * `namespace_id` - The ID of the replica containing the directory to delete.
///
/// * `path` - The path of the directory to delete.
///
/// # Returns
///
/// The number of entries deleted.
pub async fn delete_directory(
&self,
namespace_id: NamespaceId,
path: PathBuf,
) -> miette::Result<usize> {
let path = normalise_path(path).join(""); // Ensure path ends with a slash
let file_key = path_to_entry_prefix(path);
let docs_client = &self.node.docs();
let document = docs_client
.open(namespace_id)
.await
.map_err(|e| {
error!("{}", e);
OkuFsError::CannotOpenReplica
})?
.ok_or(OkuFsError::FsEntryNotFound)?;
let mut entries_deleted = 0;
let query = iroh::docs::store::Query::single_latest_per_key()
.key_prefix(file_key)
.build();
let entries = document.get_many(query).await.map_err(|e| {
error!("{}", e);
OkuFsError::CannotListFiles
})?;
pin_mut!(entries);
let files: Vec<Entry> = entries.map(|entry| entry.unwrap()).collect().await;
for file in files {
entries_deleted += document
.del(
file.author(),
(std::str::from_utf8(&path_to_entry_prefix(entry_key_to_path(file.key())?))
.into_diagnostic()?)
.to_string(),
)
.await
.map_err(|e| {
error!("{}", e);
OkuFsError::CannotDeleteDirectory
})?;
}
Ok(entries_deleted)
}
/// Determines the oldest timestamp of a file entry in a folder.
///
/// # Arguments
///
/// * `namespace_id` - The ID of the replica containing the folder.
///
/// * `path` - The folder whose oldest timestamp is to be determined.
///
/// # Returns
///
/// The oldest timestamp of any file descending from this folder, in microseconds from the Unix epoch.
pub async fn get_oldest_timestamp_in_folder(
&self,
namespace_id: NamespaceId,
path: PathBuf,
) -> miette::Result<u64> {
let files = self.list_files(namespace_id, Some(path)).await?;
let mut timestamps: Vec<u64> = Vec::new();
for file in files {
timestamps.push(
self.get_oldest_entry_timestamp(namespace_id, entry_key_to_path(file.key())?)
.await?,
);
}
Ok(*timestamps.par_iter().min().unwrap_or(&u64::MIN))
}
/// Determines the latest timestamp of a file entry in a folder.
///
/// # Arguments
///
/// * `namespace_id` - The ID of the replica containing the folder.
///
/// * `path` - The folder whose latest timestamp is to be determined.
///
/// # Returns
///
/// The latest timestamp of any file descending from this folder, in microseconds from the Unix epoch.
pub async fn get_newest_timestamp_in_folder(
&self,
namespace_id: NamespaceId,
path: PathBuf,
) -> miette::Result<u64> {
let files = self.list_files(namespace_id, Some(path)).await?;
let mut timestamps: Vec<u64> = Vec::new();
for file in files {
timestamps.push(file.timestamp());
}
Ok(*timestamps.par_iter().max().unwrap_or(&u64::MIN))
}
/// Determines the size of a folder.
///
/// # Arguments
///
/// * `namespace_id` - The ID of the replica containing the folder.
///
/// * `path` - The path to the folder within the replica.
///
/// # Returns
///
/// The total size, in bytes, of the files descending from this folder.
pub async fn get_folder_size(
&self,
namespace_id: NamespaceId,
path: PathBuf,
) -> miette::Result<u64> {
let files = self.list_files(namespace_id, Some(path)).await?;
let mut size = 0;
for file in files {
size += file.content_len();
}
Ok(size)
}
/// Join a swarm to fetch the latest version of a directory and save it to the local machine.
///
/// # Arguments
///
/// * `ticket` - A ticket for the replica containing the directory to retrieve.
///
/// * `path` - The path to the directory to retrieve.
///
/// # Returns
///
/// The content of the files in the directory.
pub async fn fetch_directory_with_ticket(
&self,
ticket: &DocTicket,
path: PathBuf,
) -> anyhow::Result<Vec<(Entry, Bytes)>> {
let replica = self
.fetch_replica_by_ticket(ticket, Some(path.clone()))
.await?;
self.read_directory_from_replica_handle(replica, path)
.await
.map_err(|e| anyhow!("{}", e))
}
}