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
use crate::{ExportError, WalkDirError};
use ignore::{DirEntry, Walk, WalkBuilder};
use snafu::ResultExt;
use std::fmt;
use std::path::{Path, PathBuf};
type Result<T, E = ExportError> = std::result::Result<T, E>;
type FilterFn = dyn Fn(&DirEntry) -> bool + Send + Sync + 'static;
#[derive(Clone)]
pub struct WalkOptions<'a> {
pub ignore_filename: &'a str,
pub ignore_hidden: bool,
pub honor_gitignore: bool,
pub filter_fn: Option<Box<&'static FilterFn>>,
}
impl<'a> fmt::Debug for WalkOptions<'a> {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
let filter_fn_fmt = match self.filter_fn {
Some(_) => "<function set>",
None => "<not set>",
};
f.debug_struct("WalkOptions")
.field("ignore_filename", &self.ignore_filename)
.field("ignore_hidden", &self.ignore_hidden)
.field("honor_gitignore", &self.honor_gitignore)
.field("filter_fn", &filter_fn_fmt)
.finish()
}
}
impl<'a> WalkOptions<'a> {
pub fn new() -> WalkOptions<'a> {
WalkOptions {
ignore_filename: ".export-ignore",
ignore_hidden: true,
honor_gitignore: true,
filter_fn: None,
}
}
fn build_walker(self, path: &Path) -> Walk {
let mut walker = WalkBuilder::new(path);
walker
.standard_filters(false)
.parents(true)
.hidden(self.ignore_hidden)
.add_custom_ignore_filename(self.ignore_filename)
.require_git(true)
.git_ignore(self.honor_gitignore)
.git_global(self.honor_gitignore)
.git_exclude(self.honor_gitignore);
if let Some(filter) = self.filter_fn {
walker.filter_entry(filter);
}
walker.build()
}
}
impl<'a> Default for WalkOptions<'a> {
fn default() -> Self {
Self::new()
}
}
pub fn vault_contents(path: &Path, opts: WalkOptions) -> Result<Vec<PathBuf>> {
let mut contents = Vec::new();
let walker = opts.build_walker(path);
for entry in walker {
let entry = entry.context(WalkDirError { path })?;
let path = entry.path();
let metadata = entry.metadata().context(WalkDirError { path })?;
if metadata.is_dir() {
continue;
}
contents.push(path.to_path_buf());
}
Ok(contents)
}