watchexec/lib/src/filter/globset.rs

150 lines
4.2 KiB
Rust
Raw Normal View History

2021-10-16 05:26:29 +02:00
//! A simple filterer in the style of the watchexec v1 filter.
2021-10-16 05:37:29 +02:00
use std::ffi::{OsStr, OsString};
use std::path::{Path, PathBuf};
2021-10-16 05:26:29 +02:00
use ignore::gitignore::{Gitignore, GitignoreBuilder};
use tokio::fs::read_to_string;
2021-10-16 05:26:29 +02:00
use tracing::{debug, trace};
use crate::error::RuntimeError;
use crate::event::Event;
use crate::filter::Filterer;
use crate::ignore_files::IgnoreFile;
2021-10-16 05:26:29 +02:00
/// A path-only filterer based on globsets.
///
/// This filterer mimics the behavior of the `watchexec` v1 filter, but does not match it exactly,
/// due to differing internals. It is intended to be used as a stopgap until the tagged filter
/// reaches a stable state or becomes the default. As such it does not have an updatable
/// configuration.
2021-09-29 17:03:46 +02:00
#[derive(Debug)]
pub struct GlobsetFilterer {
2021-10-16 05:26:29 +02:00
filters: Gitignore,
ignores: Gitignore,
2021-10-16 05:37:29 +02:00
extensions: Vec<OsString>,
2021-10-16 05:26:29 +02:00
}
impl GlobsetFilterer {
2021-10-16 05:37:29 +02:00
/// Create a new `GlobsetFilterer` from a project origin, allowed extensions, and lists of globs.
2021-10-16 05:26:29 +02:00
///
/// The first list is used to filter paths (only matching paths will pass the filter), the
/// second is used to ignore paths (matching paths will fail the pattern). If the filter list is
/// empty, only the ignore list will be used. If both lists are empty, the filter always passes.
///
2021-10-16 05:37:29 +02:00
/// The extensions list is used to filter files by extension.
///
2021-10-16 05:26:29 +02:00
/// Non-path events are always passed.
2021-10-16 05:37:29 +02:00
pub fn new<FI, F, II, P, EI, O>(
2021-10-16 05:26:29 +02:00
origin: impl AsRef<Path>,
filters: FI,
ignores: II,
2021-10-16 05:37:29 +02:00
extensions: EI,
2021-10-16 05:26:29 +02:00
) -> Result<Self, ignore::Error>
where
FI: IntoIterator<Item = (F, Option<P>)>,
F: AsRef<str>,
II: IntoIterator<Item = (F, Option<P>)>,
P: AsRef<Path>,
2021-10-16 05:37:29 +02:00
EI: IntoIterator<Item = O>,
O: AsRef<OsStr>,
2021-10-16 05:26:29 +02:00
{
let mut filters_builder = GitignoreBuilder::new(origin);
let mut ignores_builder = filters_builder.clone();
for (filter, in_path) in filters {
let filter = filter.as_ref();
trace!(filter, "add filter to globset filterer");
filters_builder.add_line(in_path.map(|p| p.as_ref().to_owned()), filter)?;
}
for (ignore, in_path) in ignores {
let ignore = ignore.as_ref();
trace!(ignore, "add ignore to globset filterer");
ignores_builder.add_line(in_path.map(|p| p.as_ref().to_owned()), ignore)?;
}
let filters = filters_builder.build()?;
let ignores = ignores_builder.build()?;
2021-10-16 05:37:29 +02:00
let extensions: Vec<OsString> = extensions
.into_iter()
.map(|e| e.as_ref().to_owned())
.collect();
2021-10-16 05:26:29 +02:00
debug!(
num_filters=%filters.num_ignores(),
num_neg_filters=%filters.num_whitelists(),
num_ignores=%ignores.num_ignores(),
num_neg_ignores=%ignores.num_whitelists(),
2021-10-16 05:37:29 +02:00
num_extensions=%extensions.len(),
2021-10-16 05:26:29 +02:00
"globset filterer built");
2021-10-16 05:37:29 +02:00
Ok(Self {
filters,
ignores,
extensions,
})
2021-10-16 05:26:29 +02:00
}
/// Produces a list of ignore patterns compatible with [`new`][GlobsetFilterer::new()] from an [`IgnoreFile`].
pub async fn list_from_ignore_file(
ig: &IgnoreFile,
) -> Result<Vec<(String, Option<PathBuf>)>, RuntimeError> {
let content = read_to_string(&ig.path).await?;
let lines = content.lines();
let mut ignores = Vec::with_capacity(lines.size_hint().0);
for line in lines {
if line.is_empty() || line.starts_with('#') {
continue;
}
ignores.push((line.to_owned(), ig.applies_in.clone()));
}
Ok(ignores)
}
}
impl Filterer for GlobsetFilterer {
2021-10-16 15:32:43 +02:00
/// Filter an event.
///
/// This implementation never errors.
2021-10-16 05:26:29 +02:00
fn check_event(&self, event: &Event) -> Result<bool, RuntimeError> {
for (path, file_type) in event.paths() {
let is_dir = file_type.map(|t| t.is_dir()).unwrap_or(false);
if self.ignores.matched(path, is_dir).is_ignore() {
trace!(?path, "ignored by globset ignore");
return Ok(false);
}
if self.filters.num_ignores() > 0 && !self.filters.matched(path, is_dir).is_ignore() {
trace!(?path, "ignored by globset filters");
return Ok(false);
}
2021-10-16 05:37:29 +02:00
if !self.extensions.is_empty() {
if is_dir {
trace!(?path, "omitted from extension check due to being a dir");
continue;
}
if let Some(ext) = path.extension() {
if !self.extensions.iter().any(|e| e == ext) {
trace!(?path, "ignored by extension filter");
return Ok(false);
}
} else {
trace!(
?path,
"omitted from extension check due to having no extension"
);
continue;
}
}
2021-10-16 05:26:29 +02:00
}
Ok(true)
}
}