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
#[cfg(test)]
mod tests;
use super::{BackupHandle, BackupHandleRef, FileHandle, FileHandleRef};
use crate::{
storage::{BackupStorage, ShellSafeName, TextLine},
utils::{error_notes::ErrorNotes, path_exists, PathToString},
};
use anyhow::Result;
use async_trait::async_trait;
use std::path::{Path, PathBuf};
use structopt::StructOpt;
use tokio::{
fs::{create_dir, create_dir_all, read_dir, OpenOptions},
io::{AsyncRead, AsyncWrite, AsyncWriteExt},
};
#[derive(StructOpt)]
pub struct LocalFsOpt {
#[structopt(
long = "dir",
parse(from_os_str),
help = "Target local dir to hold backups."
)]
pub dir: PathBuf,
}
pub struct LocalFs {
dir: PathBuf,
}
impl LocalFs {
const METADATA_DIR: &'static str = "metadata";
pub fn new(dir: PathBuf) -> Self {
Self { dir }
}
pub fn new_with_opt(opt: LocalFsOpt) -> Self {
Self::new(opt.dir)
}
pub fn metadata_dir(&self) -> PathBuf {
self.dir.join(Self::METADATA_DIR)
}
}
#[async_trait]
impl BackupStorage for LocalFs {
async fn create_backup(&self, name: &ShellSafeName) -> Result<BackupHandle> {
create_dir(self.dir.join(name.as_ref()))
.await
.err_notes(name)?;
Ok(name.to_string())
}
async fn create_for_write(
&self,
backup_handle: &BackupHandleRef,
name: &ShellSafeName,
) -> Result<(FileHandle, Box<dyn AsyncWrite + Send + Unpin>)> {
let file_handle = Path::new(backup_handle)
.join(name.as_ref())
.path_to_string()?;
let abs_path = self.dir.join(&file_handle).path_to_string()?;
let file = OpenOptions::new()
.write(true)
.create_new(true)
.open(&abs_path)
.await
.err_notes(&abs_path)?;
Ok((file_handle, Box::new(file)))
}
async fn open_for_read(
&self,
file_handle: &FileHandleRef,
) -> Result<Box<dyn AsyncRead + Send + Unpin>> {
let path = self.dir.join(file_handle);
let file = OpenOptions::new()
.read(true)
.open(&path)
.await
.err_notes(&path)?;
Ok(Box::new(file))
}
async fn save_metadata_line(&self, name: &ShellSafeName, content: &TextLine) -> Result<()> {
let dir = self.metadata_dir();
create_dir_all(&dir).await.err_notes(name)?; let path = dir.join(name.as_ref());
let mut file = OpenOptions::new()
.write(true)
.create_new(true)
.open(&path)
.await
.err_notes(&path)?;
file.write_all(content.as_ref().as_bytes())
.await
.err_notes(&path)?;
Ok(())
}
async fn list_metadata_files(&self) -> Result<Vec<FileHandle>> {
let dir = self.metadata_dir();
let rel_path = Path::new(Self::METADATA_DIR);
let mut res = Vec::new();
if path_exists(&dir).await {
let mut entries = read_dir(&dir).await.err_notes(&dir)?;
while let Some(entry) = entries.next_entry().await.err_notes(&dir)? {
res.push(rel_path.join(entry.file_name()).path_to_string()?)
}
}
Ok(res)
}
}