2020-11-28 15:14:50 +03:00
|
|
|
use crate::{ExportError, WalkDirError};
|
2020-12-14 01:15:13 +03:00
|
|
|
use ignore::{DirEntry, Walk, WalkBuilder};
|
2020-11-28 15:14:50 +03:00
|
|
|
use snafu::ResultExt;
|
2020-12-14 01:15:13 +03:00
|
|
|
use std::fmt;
|
2020-11-28 15:14:50 +03:00
|
|
|
use std::path::{Path, PathBuf};
|
|
|
|
|
|
|
|
type Result<T, E = ExportError> = std::result::Result<T, E>;
|
2020-12-14 01:15:13 +03:00
|
|
|
type FilterFn = dyn Fn(&DirEntry) -> bool + Send + Sync + 'static;
|
2020-11-28 15:14:50 +03:00
|
|
|
|
2020-12-14 01:15:13 +03:00
|
|
|
#[derive(Clone)]
|
2020-11-28 15:14:50 +03:00
|
|
|
pub struct WalkOptions<'a> {
|
2020-12-11 16:52:59 +03:00
|
|
|
pub ignore_filename: &'a str,
|
|
|
|
pub ignore_hidden: bool,
|
|
|
|
pub honor_gitignore: bool,
|
2020-12-14 01:15:13 +03:00
|
|
|
pub filter_fn: Option<Box<&'static FilterFn>>,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl<'a> fmt::Debug for WalkOptions<'a> {
|
|
|
|
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
|
|
|
|
f.debug_struct("WalkOptions")
|
|
|
|
.field("ignore_filename", &self.ignore_filename)
|
|
|
|
.field("ignore_hidden", &self.ignore_hidden)
|
|
|
|
.field("honor_gitignore", &self.honor_gitignore)
|
|
|
|
.finish()
|
|
|
|
}
|
2020-11-28 15:14:50 +03:00
|
|
|
}
|
|
|
|
|
|
|
|
impl<'a> WalkOptions<'a> {
|
|
|
|
pub fn new() -> WalkOptions<'a> {
|
|
|
|
WalkOptions {
|
|
|
|
ignore_filename: ".export-ignore",
|
|
|
|
ignore_hidden: true,
|
|
|
|
honor_gitignore: true,
|
2020-12-14 01:15:13 +03:00
|
|
|
filter_fn: None,
|
2020-11-28 15:14:50 +03:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn build_walker(self, path: &Path) -> Walk {
|
2020-12-14 01:15:13 +03:00
|
|
|
let mut walker = WalkBuilder::new(path);
|
|
|
|
walker
|
2020-11-28 15:14:50 +03:00
|
|
|
.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)
|
2020-12-14 01:15:13 +03:00
|
|
|
.git_exclude(self.honor_gitignore);
|
|
|
|
|
|
|
|
if let Some(filter) = self.filter_fn {
|
|
|
|
walker.filter_entry(filter);
|
|
|
|
}
|
|
|
|
walker.build()
|
2020-11-28 15:14:50 +03:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
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)
|
|
|
|
}
|