2016-08-25 21:44:37 -04:00
|
|
|
/*!
|
2016-10-10 19:16:52 -04:00
|
|
|
The globset crate provides cross platform single glob and glob set matching.
|
|
|
|
|
|
|
|
Glob set matching is the process of matching one or more glob patterns against
|
|
|
|
a single candidate path simultaneously, and returning all of the globs that
|
|
|
|
matched. For example, given this set of globs:
|
|
|
|
|
2023-09-26 15:01:20 -04:00
|
|
|
* `*.rs`
|
|
|
|
* `src/lib.rs`
|
|
|
|
* `src/**/foo.rs`
|
2016-10-10 19:16:52 -04:00
|
|
|
|
|
|
|
and a path `src/bar/baz/foo.rs`, then the set would report the first and third
|
|
|
|
globs as matching.
|
|
|
|
|
|
|
|
# Example: one glob
|
|
|
|
|
|
|
|
This example shows how to match a single glob against a single file path.
|
|
|
|
|
|
|
|
```
|
|
|
|
use globset::Glob;
|
|
|
|
|
2018-01-01 19:52:35 +05:30
|
|
|
let glob = Glob::new("*.rs")?.compile_matcher();
|
2016-10-10 19:16:52 -04:00
|
|
|
|
|
|
|
assert!(glob.is_match("foo.rs"));
|
|
|
|
assert!(glob.is_match("foo/bar.rs"));
|
|
|
|
assert!(!glob.is_match("Cargo.toml"));
|
2023-09-26 15:01:20 -04:00
|
|
|
# Ok::<(), Box<dyn std::error::Error>>(())
|
2016-10-10 19:16:52 -04:00
|
|
|
```
|
|
|
|
|
|
|
|
# Example: configuring a glob matcher
|
|
|
|
|
|
|
|
This example shows how to use a `GlobBuilder` to configure aspects of match
|
|
|
|
semantics. In this example, we prevent wildcards from matching path separators.
|
|
|
|
|
|
|
|
```
|
|
|
|
use globset::GlobBuilder;
|
|
|
|
|
2018-01-01 19:52:35 +05:30
|
|
|
let glob = GlobBuilder::new("*.rs")
|
|
|
|
.literal_separator(true).build()?.compile_matcher();
|
2016-10-10 19:16:52 -04:00
|
|
|
|
|
|
|
assert!(glob.is_match("foo.rs"));
|
|
|
|
assert!(!glob.is_match("foo/bar.rs")); // no longer matches
|
|
|
|
assert!(!glob.is_match("Cargo.toml"));
|
2023-09-26 15:01:20 -04:00
|
|
|
# Ok::<(), Box<dyn std::error::Error>>(())
|
2016-10-10 19:16:52 -04:00
|
|
|
```
|
|
|
|
|
|
|
|
# Example: match multiple globs at once
|
|
|
|
|
|
|
|
This example shows how to match multiple glob patterns at once.
|
|
|
|
|
|
|
|
```
|
|
|
|
use globset::{Glob, GlobSetBuilder};
|
|
|
|
|
|
|
|
let mut builder = GlobSetBuilder::new();
|
|
|
|
// A GlobBuilder can be used to configure each glob's match semantics
|
|
|
|
// independently.
|
2018-01-01 19:52:35 +05:30
|
|
|
builder.add(Glob::new("*.rs")?);
|
|
|
|
builder.add(Glob::new("src/lib.rs")?);
|
|
|
|
builder.add(Glob::new("src/**/foo.rs")?);
|
|
|
|
let set = builder.build()?;
|
2016-10-10 19:16:52 -04:00
|
|
|
|
|
|
|
assert_eq!(set.matches("src/bar/baz/foo.rs"), vec![0, 2]);
|
2023-09-26 15:01:20 -04:00
|
|
|
# Ok::<(), Box<dyn std::error::Error>>(())
|
2016-10-10 19:16:52 -04:00
|
|
|
```
|
|
|
|
|
|
|
|
# Syntax
|
|
|
|
|
|
|
|
Standard Unix-style glob syntax is supported:
|
|
|
|
|
|
|
|
* `?` matches any single character. (If the `literal_separator` option is
|
|
|
|
enabled, then `?` can never match a path separator.)
|
|
|
|
* `*` matches zero or more characters. (If the `literal_separator` option is
|
|
|
|
enabled, then `*` can never match a path separator.)
|
|
|
|
* `**` recursively matches directories but are only legal in three situations.
|
|
|
|
First, if the glob starts with <code>\*\*/</code>, then it matches
|
|
|
|
all directories. For example, <code>\*\*/foo</code> matches `foo`
|
|
|
|
and `bar/foo` but not `foo/bar`. Secondly, if the glob ends with
|
|
|
|
<code>/\*\*</code>, then it matches all sub-entries. For example,
|
|
|
|
<code>foo/\*\*</code> matches `foo/a` and `foo/a/b`, but not `foo`.
|
|
|
|
Thirdly, if the glob contains <code>/\*\*/</code> anywhere within
|
|
|
|
the pattern, then it matches zero or more directories. Using `**` anywhere
|
|
|
|
else is illegal (N.B. the glob `**` is allowed and means "match everything").
|
|
|
|
* `{a,b}` matches `a` or `b` where `a` and `b` are arbitrary glob patterns.
|
|
|
|
(N.B. Nesting `{...}` is not currently allowed.)
|
|
|
|
* `[ab]` matches `a` or `b` where `a` and `b` are characters. Use
|
|
|
|
`[!ab]` to match any character except for `a` and `b`.
|
|
|
|
* Metacharacters such as `*` and `?` can be escaped with character class
|
|
|
|
notation. e.g., `[*]` matches `*`.
|
2018-02-22 23:13:36 -08:00
|
|
|
* When backslash escapes are enabled, a backslash (`\`) will escape all meta
|
|
|
|
characters in a glob. If it precedes a non-meta character, then the slash is
|
|
|
|
ignored. A `\\` will match a literal `\\`. Note that this mode is only
|
|
|
|
enabled on Unix platforms by default, but can be enabled on any platform
|
|
|
|
via the `backslash_escape` setting on `Glob`.
|
2016-10-10 19:16:52 -04:00
|
|
|
|
|
|
|
A `GlobBuilder` can be used to prevent wildcards from matching path separators,
|
|
|
|
or to enable case insensitive matching.
|
2016-08-25 21:44:37 -04:00
|
|
|
*/
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#![deny(missing_docs)]
|
2016-09-05 10:15:13 -04:00
|
|
|
|
2023-09-28 13:19:57 -04:00
|
|
|
use std::{
|
|
|
|
borrow::Cow,
|
|
|
|
panic::{RefUnwindSafe, UnwindSafe},
|
|
|
|
path::Path,
|
|
|
|
sync::Arc,
|
|
|
|
};
|
2023-09-26 15:01:20 -04:00
|
|
|
|
|
|
|
use {
|
|
|
|
aho_corasick::AhoCorasick,
|
|
|
|
bstr::{ByteSlice, ByteVec, B},
|
2023-09-28 13:19:57 -04:00
|
|
|
regex_automata::{
|
|
|
|
meta::Regex,
|
|
|
|
util::pool::{Pool, PoolGuard},
|
|
|
|
PatternSet,
|
|
|
|
},
|
2023-09-26 15:01:20 -04:00
|
|
|
};
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2023-09-26 15:01:20 -04:00
|
|
|
use crate::{
|
|
|
|
glob::MatchStrategy,
|
|
|
|
pathutil::{file_name, file_name_ext, normalize_path},
|
|
|
|
};
|
2016-09-15 22:06:04 -04:00
|
|
|
|
2021-06-01 19:29:50 -04:00
|
|
|
pub use crate::glob::{Glob, GlobBuilder, GlobMatcher};
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2023-09-26 15:01:20 -04:00
|
|
|
mod fnv;
|
2016-10-10 19:16:52 -04:00
|
|
|
mod glob;
|
2016-09-30 19:42:41 -04:00
|
|
|
mod pathutil;
|
2016-10-04 20:22:13 -04:00
|
|
|
|
2020-02-21 04:40:47 -08:00
|
|
|
#[cfg(feature = "serde1")]
|
|
|
|
mod serde_impl;
|
|
|
|
|
2022-06-10 11:10:09 -07:00
|
|
|
#[cfg(feature = "log")]
|
|
|
|
macro_rules! debug {
|
|
|
|
($($token:tt)*) => (::log::debug!($($token)*);)
|
|
|
|
}
|
|
|
|
|
|
|
|
#[cfg(not(feature = "log"))]
|
|
|
|
macro_rules! debug {
|
|
|
|
($($token:tt)*) => {};
|
|
|
|
}
|
|
|
|
|
2016-08-25 21:44:37 -04:00
|
|
|
/// Represents an error that can occur when parsing a glob pattern.
|
|
|
|
#[derive(Clone, Debug, Eq, PartialEq)]
|
2017-04-12 18:12:34 -04:00
|
|
|
pub struct Error {
|
|
|
|
/// The original glob provided by the caller.
|
|
|
|
glob: Option<String>,
|
|
|
|
/// The kind of error.
|
|
|
|
kind: ErrorKind,
|
|
|
|
}
|
|
|
|
|
|
|
|
/// The kind of error that can occur when parsing a glob pattern.
|
|
|
|
#[derive(Clone, Debug, Eq, PartialEq)]
|
|
|
|
pub enum ErrorKind {
|
globset: permit ** to appear anywhere
Previously, `man gitignore` specified that `**` was invalid unless it
was used in one of a few specific circumstances, i.e., `**`, `a/**`,
`**/b` or `a/**/b`. That is, `**` always had to be surrounded by either
a path separator or the beginning/end of the pattern.
It turns out that git itself has treated `**` outside the above contexts
as valid for quite a while, so there was an inconsistency between the
spec `man gitignore` and the implementation, and it wasn't clear which
was actually correct.
@okdana filed a bug against git[1] and got this fixed. The spec was wrong,
which has now been fixed [2] and updated[2].
This commit brings ripgrep in line with git and treats `**` outside of
the above contexts as two consecutive `*` patterns. We deprecate the
`InvalidRecursive` error since it is no longer used.
Fixes #373, Fixes #1098
[1] - https://public-inbox.org/git/C16A9F17-0375-42F9-90A9-A92C9F3D8BBA@dana.is
[2] - https://github.com/git/git/commit/627186d0206dcb219c43f8e6670b4487802a4921
[3] - https://git-scm.com/docs/gitignore
2019-01-23 19:46:15 -05:00
|
|
|
/// **DEPRECATED**.
|
|
|
|
///
|
|
|
|
/// This error used to occur for consistency with git's glob specification,
|
|
|
|
/// but the specification now accepts all uses of `**`. When `**` does not
|
|
|
|
/// appear adjacent to a path separator or at the beginning/end of a glob,
|
|
|
|
/// it is now treated as two consecutive `*` patterns. As such, this error
|
|
|
|
/// is no longer used.
|
2016-08-25 21:44:37 -04:00
|
|
|
InvalidRecursive,
|
2016-10-04 20:22:13 -04:00
|
|
|
/// Occurs when a character class (e.g., `[abc]`) is not closed.
|
2016-08-25 21:44:37 -04:00
|
|
|
UnclosedClass,
|
2016-10-04 20:22:13 -04:00
|
|
|
/// Occurs when a range in a character (e.g., `[a-z]`) is invalid. For
|
|
|
|
/// example, if the range starts with a lexicographically larger character
|
|
|
|
/// than it ends with.
|
2016-08-25 21:44:37 -04:00
|
|
|
InvalidRange(char, char),
|
2016-10-04 20:22:13 -04:00
|
|
|
/// Occurs when a `}` is found without a matching `{`.
|
2016-09-25 17:28:23 -04:00
|
|
|
UnopenedAlternates,
|
2016-10-04 20:22:13 -04:00
|
|
|
/// Occurs when a `{` is found without a matching `}`.
|
2016-09-25 17:28:23 -04:00
|
|
|
UnclosedAlternates,
|
2016-10-04 20:22:13 -04:00
|
|
|
/// Occurs when an alternating group is nested inside another alternating
|
|
|
|
/// group, e.g., `{{a,b},{c,d}}`.
|
2016-09-25 17:28:23 -04:00
|
|
|
NestedAlternates,
|
2018-02-22 23:13:36 -08:00
|
|
|
/// Occurs when an unescaped '\' is found at the end of a glob.
|
|
|
|
DanglingEscape,
|
2016-10-04 20:22:13 -04:00
|
|
|
/// An error associated with parsing or compiling a regex.
|
|
|
|
Regex(String),
|
2018-03-10 09:04:01 -05:00
|
|
|
/// Hints that destructuring should not be exhaustive.
|
|
|
|
///
|
|
|
|
/// This enum may grow additional variants, so this makes sure clients
|
|
|
|
/// don't count on exhaustive matching. (Otherwise, adding a new variant
|
|
|
|
/// could break existing code.)
|
|
|
|
#[doc(hidden)]
|
|
|
|
__Nonexhaustive,
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2023-09-26 15:01:20 -04:00
|
|
|
impl std::error::Error for Error {
|
2017-04-12 18:12:34 -04:00
|
|
|
fn description(&self) -> &str {
|
|
|
|
self.kind.description()
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Error {
|
|
|
|
/// Return the glob that caused this error, if one exists.
|
|
|
|
pub fn glob(&self) -> Option<&str> {
|
|
|
|
self.glob.as_ref().map(|s| &**s)
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Return the kind of this error.
|
|
|
|
pub fn kind(&self) -> &ErrorKind {
|
|
|
|
&self.kind
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl ErrorKind {
|
2016-08-25 21:44:37 -04:00
|
|
|
fn description(&self) -> &str {
|
|
|
|
match *self {
|
2017-04-12 18:12:34 -04:00
|
|
|
ErrorKind::InvalidRecursive => {
|
2016-08-25 21:44:37 -04:00
|
|
|
"invalid use of **; must be one path component"
|
|
|
|
}
|
2017-04-12 18:12:34 -04:00
|
|
|
ErrorKind::UnclosedClass => {
|
2016-08-25 21:44:37 -04:00
|
|
|
"unclosed character class; missing ']'"
|
|
|
|
}
|
2020-02-17 18:08:47 -05:00
|
|
|
ErrorKind::InvalidRange(_, _) => "invalid character range",
|
2017-04-12 18:12:34 -04:00
|
|
|
ErrorKind::UnopenedAlternates => {
|
2016-09-25 17:28:23 -04:00
|
|
|
"unopened alternate group; missing '{' \
|
|
|
|
(maybe escape '}' with '[}]'?)"
|
|
|
|
}
|
2017-04-12 18:12:34 -04:00
|
|
|
ErrorKind::UnclosedAlternates => {
|
2016-09-25 17:28:23 -04:00
|
|
|
"unclosed alternate group; missing '}' \
|
|
|
|
(maybe escape '{' with '[{]'?)"
|
|
|
|
}
|
2017-04-12 18:12:34 -04:00
|
|
|
ErrorKind::NestedAlternates => {
|
2016-09-25 17:28:23 -04:00
|
|
|
"nested alternate groups are not allowed"
|
|
|
|
}
|
2020-02-17 18:08:47 -05:00
|
|
|
ErrorKind::DanglingEscape => "dangling '\\'",
|
2017-04-12 18:12:34 -04:00
|
|
|
ErrorKind::Regex(ref err) => err,
|
2018-03-10 09:04:01 -05:00
|
|
|
ErrorKind::__Nonexhaustive => unreachable!(),
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2023-09-26 15:01:20 -04:00
|
|
|
impl std::fmt::Display for Error {
|
|
|
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
2017-04-12 18:12:34 -04:00
|
|
|
match self.glob {
|
|
|
|
None => self.kind.fmt(f),
|
|
|
|
Some(ref glob) => {
|
|
|
|
write!(f, "error parsing glob '{}': {}", glob, self.kind)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2023-09-26 15:01:20 -04:00
|
|
|
impl std::fmt::Display for ErrorKind {
|
|
|
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
2016-08-25 21:44:37 -04:00
|
|
|
match *self {
|
2017-04-12 18:12:34 -04:00
|
|
|
ErrorKind::InvalidRecursive
|
|
|
|
| ErrorKind::UnclosedClass
|
|
|
|
| ErrorKind::UnopenedAlternates
|
|
|
|
| ErrorKind::UnclosedAlternates
|
|
|
|
| ErrorKind::NestedAlternates
|
2018-02-22 23:13:36 -08:00
|
|
|
| ErrorKind::DanglingEscape
|
2020-02-17 18:08:47 -05:00
|
|
|
| ErrorKind::Regex(_) => write!(f, "{}", self.description()),
|
2017-04-12 18:12:34 -04:00
|
|
|
ErrorKind::InvalidRange(s, e) => {
|
2016-08-25 21:44:37 -04:00
|
|
|
write!(f, "invalid range; '{}' > '{}'", s, e)
|
|
|
|
}
|
2018-03-10 09:04:01 -05:00
|
|
|
ErrorKind::__Nonexhaustive => unreachable!(),
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
fn new_regex(pat: &str) -> Result<Regex, Error> {
|
2023-09-26 15:01:20 -04:00
|
|
|
let syntax = regex_automata::util::syntax::Config::new()
|
|
|
|
.utf8(false)
|
|
|
|
.dot_matches_new_line(true);
|
|
|
|
let config = Regex::config()
|
|
|
|
.utf8_empty(false)
|
|
|
|
.nfa_size_limit(Some(10 * (1 << 20)))
|
|
|
|
.hybrid_cache_capacity(10 * (1 << 20));
|
|
|
|
Regex::builder().syntax(syntax).configure(config).build(pat).map_err(
|
|
|
|
|err| Error {
|
2020-02-17 18:08:47 -05:00
|
|
|
glob: Some(pat.to_string()),
|
|
|
|
kind: ErrorKind::Regex(err.to_string()),
|
2023-09-26 15:01:20 -04:00
|
|
|
},
|
|
|
|
)
|
|
|
|
}
|
|
|
|
|
|
|
|
fn new_regex_set(pats: Vec<String>) -> Result<Regex, Error> {
|
|
|
|
let syntax = regex_automata::util::syntax::Config::new()
|
|
|
|
.utf8(false)
|
|
|
|
.dot_matches_new_line(true);
|
|
|
|
let config = Regex::config()
|
|
|
|
.match_kind(regex_automata::MatchKind::All)
|
|
|
|
.utf8_empty(false)
|
|
|
|
.nfa_size_limit(Some(10 * (1 << 20)))
|
|
|
|
.hybrid_cache_capacity(10 * (1 << 20));
|
|
|
|
Regex::builder()
|
|
|
|
.syntax(syntax)
|
|
|
|
.configure(config)
|
|
|
|
.build_many(&pats)
|
|
|
|
.map_err(|err| Error {
|
|
|
|
glob: None,
|
|
|
|
kind: ErrorKind::Regex(err.to_string()),
|
2017-04-12 18:12:34 -04:00
|
|
|
})
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
/// GlobSet represents a group of globs that can be matched together in a
|
|
|
|
/// single pass.
|
2016-09-15 22:06:04 -04:00
|
|
|
#[derive(Clone, Debug)]
|
2016-10-10 19:16:52 -04:00
|
|
|
pub struct GlobSet {
|
2016-10-11 19:57:09 -04:00
|
|
|
len: usize,
|
2016-10-10 19:16:52 -04:00
|
|
|
strats: Vec<GlobSetMatchStrategy>,
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
impl GlobSet {
|
2023-10-16 23:55:22 +02:00
|
|
|
/// Create a new [`GlobSetBuilder`]. A `GlobSetBuilder` can be used to add
|
|
|
|
/// new patterns. Once all patterns have been added, `build` should be
|
|
|
|
/// called to produce a `GlobSet`, which can then be used for matching.
|
|
|
|
#[inline]
|
|
|
|
pub fn builder() -> GlobSetBuilder {
|
|
|
|
GlobSetBuilder::new()
|
|
|
|
}
|
|
|
|
|
2018-04-24 10:42:19 -04:00
|
|
|
/// Create an empty `GlobSet`. An empty set matches nothing.
|
2019-04-05 20:40:39 -04:00
|
|
|
#[inline]
|
2018-04-24 10:42:19 -04:00
|
|
|
pub fn empty() -> GlobSet {
|
2020-02-17 18:08:47 -05:00
|
|
|
GlobSet { len: 0, strats: vec![] }
|
2018-04-24 10:42:19 -04:00
|
|
|
}
|
|
|
|
|
2016-10-11 19:57:09 -04:00
|
|
|
/// Returns true if this set is empty, and therefore matches nothing.
|
2019-04-05 20:40:39 -04:00
|
|
|
#[inline]
|
2016-10-11 19:57:09 -04:00
|
|
|
pub fn is_empty(&self) -> bool {
|
|
|
|
self.len == 0
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Returns the number of globs in this set.
|
2019-04-05 20:40:39 -04:00
|
|
|
#[inline]
|
2016-10-11 19:57:09 -04:00
|
|
|
pub fn len(&self) -> usize {
|
|
|
|
self.len
|
|
|
|
}
|
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
/// Returns true if any glob in this set matches the path given.
|
|
|
|
pub fn is_match<P: AsRef<Path>>(&self, path: P) -> bool {
|
|
|
|
self.is_match_candidate(&Candidate::new(path.as_ref()))
|
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
/// Returns true if any glob in this set matches the path given.
|
2016-10-10 19:16:52 -04:00
|
|
|
///
|
|
|
|
/// This takes a Candidate as input, which can be used to amortize the
|
|
|
|
/// cost of preparing a path for matching.
|
2021-06-01 19:47:46 -04:00
|
|
|
pub fn is_match_candidate(&self, path: &Candidate<'_>) -> bool {
|
2016-10-11 19:57:09 -04:00
|
|
|
if self.is_empty() {
|
|
|
|
return false;
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
for strat in &self.strats {
|
2016-10-10 19:16:52 -04:00
|
|
|
if strat.is_match(path) {
|
2016-10-04 20:22:13 -04:00
|
|
|
return true;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
false
|
|
|
|
}
|
|
|
|
|
2016-09-15 22:06:04 -04:00
|
|
|
/// Returns the sequence number of every glob pattern that matches the
|
|
|
|
/// given path.
|
2016-10-10 19:16:52 -04:00
|
|
|
pub fn matches<P: AsRef<Path>>(&self, path: P) -> Vec<usize> {
|
|
|
|
self.matches_candidate(&Candidate::new(path.as_ref()))
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Returns the sequence number of every glob pattern that matches the
|
|
|
|
/// given path.
|
|
|
|
///
|
|
|
|
/// This takes a Candidate as input, which can be used to amortize the
|
|
|
|
/// cost of preparing a path for matching.
|
2021-06-01 19:47:46 -04:00
|
|
|
pub fn matches_candidate(&self, path: &Candidate<'_>) -> Vec<usize> {
|
2016-09-15 22:06:04 -04:00
|
|
|
let mut into = vec![];
|
2016-10-11 19:57:09 -04:00
|
|
|
if self.is_empty() {
|
|
|
|
return into;
|
|
|
|
}
|
2016-10-10 19:16:52 -04:00
|
|
|
self.matches_candidate_into(path, &mut into);
|
2016-09-15 22:06:04 -04:00
|
|
|
into
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Adds the sequence number of every glob pattern that matches the given
|
|
|
|
/// path to the vec given.
|
2016-10-10 19:16:52 -04:00
|
|
|
///
|
2020-06-04 21:06:09 +08:00
|
|
|
/// `into` is cleared before matching begins, and contains the set of
|
2016-10-10 19:16:52 -04:00
|
|
|
/// sequence numbers (in ascending order) after matching ends. If no globs
|
|
|
|
/// were matched, then `into` will be empty.
|
2016-10-11 19:57:09 -04:00
|
|
|
pub fn matches_into<P: AsRef<Path>>(
|
|
|
|
&self,
|
|
|
|
path: P,
|
|
|
|
into: &mut Vec<usize>,
|
|
|
|
) {
|
|
|
|
self.matches_candidate_into(&Candidate::new(path.as_ref()), into);
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Adds the sequence number of every glob pattern that matches the given
|
|
|
|
/// path to the vec given.
|
|
|
|
///
|
2020-06-04 21:06:09 +08:00
|
|
|
/// `into` is cleared before matching begins, and contains the set of
|
2016-10-11 19:57:09 -04:00
|
|
|
/// sequence numbers (in ascending order) after matching ends. If no globs
|
|
|
|
/// were matched, then `into` will be empty.
|
|
|
|
///
|
|
|
|
/// This takes a Candidate as input, which can be used to amortize the
|
|
|
|
/// cost of preparing a path for matching.
|
2016-10-10 19:16:52 -04:00
|
|
|
pub fn matches_candidate_into(
|
2016-09-15 22:06:04 -04:00
|
|
|
&self,
|
2021-06-01 19:47:46 -04:00
|
|
|
path: &Candidate<'_>,
|
2016-09-15 22:06:04 -04:00
|
|
|
into: &mut Vec<usize>,
|
|
|
|
) {
|
|
|
|
into.clear();
|
2016-10-11 19:57:09 -04:00
|
|
|
if self.is_empty() {
|
|
|
|
return;
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
for strat in &self.strats {
|
2016-10-10 19:16:52 -04:00
|
|
|
strat.matches_into(path, into);
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
into.sort();
|
|
|
|
into.dedup();
|
|
|
|
}
|
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
fn new(pats: &[Glob]) -> Result<GlobSet, Error> {
|
2016-10-11 19:57:09 -04:00
|
|
|
if pats.is_empty() {
|
|
|
|
return Ok(GlobSet { len: 0, strats: vec![] });
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
let mut lits = LiteralStrategy::new();
|
|
|
|
let mut base_lits = BasenameLiteralStrategy::new();
|
|
|
|
let mut exts = ExtensionStrategy::new();
|
|
|
|
let mut prefixes = MultiStrategyBuilder::new();
|
|
|
|
let mut suffixes = MultiStrategyBuilder::new();
|
|
|
|
let mut required_exts = RequiredExtensionStrategyBuilder::new();
|
|
|
|
let mut regexes = MultiStrategyBuilder::new();
|
|
|
|
for (i, p) in pats.iter().enumerate() {
|
|
|
|
match MatchStrategy::new(p) {
|
|
|
|
MatchStrategy::Literal(lit) => {
|
|
|
|
lits.add(i, lit);
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
MatchStrategy::BasenameLiteral(lit) => {
|
|
|
|
base_lits.add(i, lit);
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
MatchStrategy::Extension(ext) => {
|
|
|
|
exts.add(i, ext);
|
|
|
|
}
|
|
|
|
MatchStrategy::Prefix(prefix) => {
|
|
|
|
prefixes.add(i, prefix);
|
|
|
|
}
|
|
|
|
MatchStrategy::Suffix { suffix, component } => {
|
|
|
|
if component {
|
|
|
|
lits.add(i, suffix[1..].to_string());
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
suffixes.add(i, suffix);
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
MatchStrategy::RequiredExtension(ext) => {
|
|
|
|
required_exts.add(i, ext, p.regex().to_owned());
|
|
|
|
}
|
|
|
|
MatchStrategy::Regex => {
|
2022-06-10 11:10:09 -07:00
|
|
|
debug!("glob converted to regex: {:?}", p);
|
2016-10-04 20:22:13 -04:00
|
|
|
regexes.add(i, p.regex().to_owned());
|
2016-09-30 19:29:52 -04:00
|
|
|
}
|
2016-09-16 16:13:28 -04:00
|
|
|
}
|
|
|
|
}
|
2022-06-10 11:10:09 -07:00
|
|
|
debug!(
|
2020-02-17 18:08:47 -05:00
|
|
|
"built glob set; {} literals, {} basenames, {} extensions, \
|
2016-10-04 20:22:13 -04:00
|
|
|
{} prefixes, {} suffixes, {} required extensions, {} regexes",
|
2020-02-17 18:08:47 -05:00
|
|
|
lits.0.len(),
|
|
|
|
base_lits.0.len(),
|
|
|
|
exts.0.len(),
|
|
|
|
prefixes.literals.len(),
|
|
|
|
suffixes.literals.len(),
|
|
|
|
required_exts.0.len(),
|
|
|
|
regexes.literals.len()
|
|
|
|
);
|
2016-10-10 19:16:52 -04:00
|
|
|
Ok(GlobSet {
|
2016-10-11 19:57:09 -04:00
|
|
|
len: pats.len(),
|
2016-10-04 20:22:13 -04:00
|
|
|
strats: vec![
|
2016-10-10 19:16:52 -04:00
|
|
|
GlobSetMatchStrategy::Extension(exts),
|
|
|
|
GlobSetMatchStrategy::BasenameLiteral(base_lits),
|
|
|
|
GlobSetMatchStrategy::Literal(lits),
|
|
|
|
GlobSetMatchStrategy::Suffix(suffixes.suffix()),
|
|
|
|
GlobSetMatchStrategy::Prefix(prefixes.prefix()),
|
|
|
|
GlobSetMatchStrategy::RequiredExtension(
|
2020-02-17 18:08:47 -05:00
|
|
|
required_exts.build()?,
|
|
|
|
),
|
2018-01-01 19:52:35 +05:30
|
|
|
GlobSetMatchStrategy::Regex(regexes.regex_set()?),
|
2016-10-04 20:22:13 -04:00
|
|
|
],
|
2016-09-15 22:06:04 -04:00
|
|
|
})
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2021-05-31 15:54:55 -07:00
|
|
|
impl Default for GlobSet {
|
|
|
|
/// Create a default empty GlobSet.
|
|
|
|
fn default() -> Self {
|
|
|
|
GlobSet::empty()
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
/// GlobSetBuilder builds a group of patterns that can be used to
|
|
|
|
/// simultaneously match a file path.
|
2018-04-05 14:06:26 +02:00
|
|
|
#[derive(Clone, Debug)]
|
2016-10-10 19:16:52 -04:00
|
|
|
pub struct GlobSetBuilder {
|
|
|
|
pats: Vec<Glob>,
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
impl GlobSetBuilder {
|
2023-10-16 23:55:22 +02:00
|
|
|
/// Create a new `GlobSetBuilder`. A `GlobSetBuilder` can be used to add new
|
2016-10-10 19:16:52 -04:00
|
|
|
/// patterns. Once all patterns have been added, `build` should be called
|
2023-10-16 23:55:22 +02:00
|
|
|
/// to produce a [`GlobSet`], which can then be used for matching.
|
2016-10-10 19:16:52 -04:00
|
|
|
pub fn new() -> GlobSetBuilder {
|
|
|
|
GlobSetBuilder { pats: vec![] }
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
|
|
|
/// Builds a new matcher from all of the glob patterns added so far.
|
|
|
|
///
|
|
|
|
/// Once a matcher is built, no new patterns can be added to it.
|
2016-10-10 19:16:52 -04:00
|
|
|
pub fn build(&self) -> Result<GlobSet, Error> {
|
|
|
|
GlobSet::new(&self.pats)
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
2016-08-27 01:01:06 -04:00
|
|
|
|
2016-08-25 21:44:37 -04:00
|
|
|
/// Add a new pattern to this set.
|
2016-10-10 19:16:52 -04:00
|
|
|
pub fn add(&mut self, pat: Glob) -> &mut GlobSetBuilder {
|
2016-10-04 20:22:13 -04:00
|
|
|
self.pats.push(pat);
|
|
|
|
self
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
/// A candidate path for matching.
|
|
|
|
///
|
|
|
|
/// All glob matching in this crate operates on `Candidate` values.
|
|
|
|
/// Constructing candidates has a very small cost associated with it, so
|
|
|
|
/// callers may find it beneficial to amortize that cost when matching a single
|
|
|
|
/// path against multiple globs or sets of globs.
|
2023-06-15 15:05:07 -04:00
|
|
|
#[derive(Clone)]
|
2016-10-10 19:16:52 -04:00
|
|
|
pub struct Candidate<'a> {
|
2019-06-26 16:47:33 -04:00
|
|
|
path: Cow<'a, [u8]>,
|
|
|
|
basename: Cow<'a, [u8]>,
|
|
|
|
ext: Cow<'a, [u8]>,
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2023-06-15 15:05:07 -04:00
|
|
|
impl<'a> std::fmt::Debug for Candidate<'a> {
|
|
|
|
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
|
|
|
|
f.debug_struct("Candidate")
|
|
|
|
.field("path", &self.path.as_bstr())
|
|
|
|
.field("basename", &self.basename.as_bstr())
|
|
|
|
.field("ext", &self.ext.as_bstr())
|
|
|
|
.finish()
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
impl<'a> Candidate<'a> {
|
2016-10-10 19:16:52 -04:00
|
|
|
/// Create a new candidate for matching from the given path.
|
|
|
|
pub fn new<P: AsRef<Path> + ?Sized>(path: &'a P) -> Candidate<'a> {
|
2019-06-26 16:47:33 -04:00
|
|
|
let path = normalize_path(Vec::from_path_lossy(path.as_ref()));
|
2019-04-04 18:33:41 -04:00
|
|
|
let basename = file_name(&path).unwrap_or(Cow::Borrowed(B("")));
|
|
|
|
let ext = file_name_ext(&basename).unwrap_or(Cow::Borrowed(B("")));
|
2023-09-26 15:01:20 -04:00
|
|
|
Candidate { path, basename, ext }
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2019-06-26 16:47:33 -04:00
|
|
|
fn path_prefix(&self, max: usize) -> &[u8] {
|
2016-10-04 20:22:13 -04:00
|
|
|
if self.path.len() <= max {
|
|
|
|
&*self.path
|
|
|
|
} else {
|
|
|
|
&self.path[..max]
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-06-26 16:47:33 -04:00
|
|
|
fn path_suffix(&self, max: usize) -> &[u8] {
|
2016-10-04 20:22:13 -04:00
|
|
|
if self.path.len() <= max {
|
|
|
|
&*self.path
|
|
|
|
} else {
|
|
|
|
&self.path[self.path.len() - max..]
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
2016-09-15 22:06:04 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[derive(Clone, Debug)]
|
2016-10-10 19:16:52 -04:00
|
|
|
enum GlobSetMatchStrategy {
|
2016-10-04 20:22:13 -04:00
|
|
|
Literal(LiteralStrategy),
|
|
|
|
BasenameLiteral(BasenameLiteralStrategy),
|
|
|
|
Extension(ExtensionStrategy),
|
|
|
|
Prefix(PrefixStrategy),
|
|
|
|
Suffix(SuffixStrategy),
|
|
|
|
RequiredExtension(RequiredExtensionStrategy),
|
|
|
|
Regex(RegexSetStrategy),
|
|
|
|
}
|
2016-09-16 16:13:28 -04:00
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
impl GlobSetMatchStrategy {
|
2021-06-01 19:47:46 -04:00
|
|
|
fn is_match(&self, candidate: &Candidate<'_>) -> bool {
|
2016-10-10 19:16:52 -04:00
|
|
|
use self::GlobSetMatchStrategy::*;
|
2016-10-04 20:22:13 -04:00
|
|
|
match *self {
|
|
|
|
Literal(ref s) => s.is_match(candidate),
|
|
|
|
BasenameLiteral(ref s) => s.is_match(candidate),
|
|
|
|
Extension(ref s) => s.is_match(candidate),
|
|
|
|
Prefix(ref s) => s.is_match(candidate),
|
|
|
|
Suffix(ref s) => s.is_match(candidate),
|
|
|
|
RequiredExtension(ref s) => s.is_match(candidate),
|
|
|
|
Regex(ref s) => s.is_match(candidate),
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2021-06-01 20:45:45 -04:00
|
|
|
fn matches_into(
|
|
|
|
&self,
|
|
|
|
candidate: &Candidate<'_>,
|
|
|
|
matches: &mut Vec<usize>,
|
|
|
|
) {
|
2016-10-10 19:16:52 -04:00
|
|
|
use self::GlobSetMatchStrategy::*;
|
2016-10-04 20:22:13 -04:00
|
|
|
match *self {
|
|
|
|
Literal(ref s) => s.matches_into(candidate, matches),
|
|
|
|
BasenameLiteral(ref s) => s.matches_into(candidate, matches),
|
|
|
|
Extension(ref s) => s.matches_into(candidate, matches),
|
|
|
|
Prefix(ref s) => s.matches_into(candidate, matches),
|
|
|
|
Suffix(ref s) => s.matches_into(candidate, matches),
|
|
|
|
RequiredExtension(ref s) => s.matches_into(candidate, matches),
|
|
|
|
Regex(ref s) => s.matches_into(candidate, matches),
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
2016-09-15 22:06:04 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[derive(Clone, Debug)]
|
2023-09-26 15:01:20 -04:00
|
|
|
struct LiteralStrategy(fnv::HashMap<Vec<u8>, Vec<usize>>);
|
2016-09-15 22:06:04 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
impl LiteralStrategy {
|
|
|
|
fn new() -> LiteralStrategy {
|
2023-09-26 15:01:20 -04:00
|
|
|
LiteralStrategy(fnv::HashMap::default())
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
fn add(&mut self, global_index: usize, lit: String) {
|
|
|
|
self.0.entry(lit.into_bytes()).or_insert(vec![]).push(global_index);
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
|
|
|
|
2021-06-01 19:47:46 -04:00
|
|
|
fn is_match(&self, candidate: &Candidate<'_>) -> bool {
|
2019-04-04 18:33:41 -04:00
|
|
|
self.0.contains_key(candidate.path.as_bytes())
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
2016-09-25 17:28:23 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[inline(never)]
|
2021-06-01 20:45:45 -04:00
|
|
|
fn matches_into(
|
|
|
|
&self,
|
|
|
|
candidate: &Candidate<'_>,
|
|
|
|
matches: &mut Vec<usize>,
|
|
|
|
) {
|
2019-04-04 18:33:41 -04:00
|
|
|
if let Some(hits) = self.0.get(candidate.path.as_bytes()) {
|
2016-10-04 20:22:13 -04:00
|
|
|
matches.extend(hits);
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[derive(Clone, Debug)]
|
2023-09-26 15:01:20 -04:00
|
|
|
struct BasenameLiteralStrategy(fnv::HashMap<Vec<u8>, Vec<usize>>);
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
impl BasenameLiteralStrategy {
|
|
|
|
fn new() -> BasenameLiteralStrategy {
|
2023-09-26 15:01:20 -04:00
|
|
|
BasenameLiteralStrategy(fnv::HashMap::default())
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
fn add(&mut self, global_index: usize, lit: String) {
|
|
|
|
self.0.entry(lit.into_bytes()).or_insert(vec![]).push(global_index);
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
|
|
|
|
2021-06-01 19:47:46 -04:00
|
|
|
fn is_match(&self, candidate: &Candidate<'_>) -> bool {
|
2016-10-04 20:22:13 -04:00
|
|
|
if candidate.basename.is_empty() {
|
|
|
|
return false;
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
2019-04-04 18:33:41 -04:00
|
|
|
self.0.contains_key(candidate.basename.as_bytes())
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[inline(never)]
|
2021-06-01 20:45:45 -04:00
|
|
|
fn matches_into(
|
|
|
|
&self,
|
|
|
|
candidate: &Candidate<'_>,
|
|
|
|
matches: &mut Vec<usize>,
|
|
|
|
) {
|
2016-10-04 20:22:13 -04:00
|
|
|
if candidate.basename.is_empty() {
|
|
|
|
return;
|
|
|
|
}
|
2019-04-04 18:33:41 -04:00
|
|
|
if let Some(hits) = self.0.get(candidate.basename.as_bytes()) {
|
2016-10-04 20:22:13 -04:00
|
|
|
matches.extend(hits);
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
2016-09-25 17:28:23 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[derive(Clone, Debug)]
|
2023-09-26 15:01:20 -04:00
|
|
|
struct ExtensionStrategy(fnv::HashMap<Vec<u8>, Vec<usize>>);
|
2016-10-04 20:22:13 -04:00
|
|
|
|
|
|
|
impl ExtensionStrategy {
|
|
|
|
fn new() -> ExtensionStrategy {
|
2023-09-26 15:01:20 -04:00
|
|
|
ExtensionStrategy(fnv::HashMap::default())
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
|
|
|
|
globset: remove use of unsafe
This commit removes, in retrospect, a silly use of `unsafe`. In particular,
to extract a file name extension (distinct from how `std` implements it),
we were transmuting an OsStr to its underlying WTF-8 byte representation
and then searching that. This required `unsafe` and relied on an
undocumented std API, so it was a bad choice to make, but everything gets
sacrificed at the Alter of Performance.
The thing I didn't seem to realize at the time was that:
1. On Unix, you can already get the raw byte representation in a manner
that has zero cost.
2. On Windows, paths are already being encoded and copied every which
way. So doing a UTF-8 check and, in rare cases (for invalid UTF-8),
an extra copy, doesn't seem like that much more of an added expense.
Thus, rewrite the extension extraction using safe APIs. On Unix, this
should have identical performance characteristics as the previous
implementation. On Windows, we do pay a higher cost in the UTF-8
check, but Windows is already paying a similar cost a few times over
anyway.
2018-02-10 21:37:13 -05:00
|
|
|
fn add(&mut self, global_index: usize, ext: String) {
|
|
|
|
self.0.entry(ext.into_bytes()).or_insert(vec![]).push(global_index);
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
|
|
|
|
2021-06-01 19:47:46 -04:00
|
|
|
fn is_match(&self, candidate: &Candidate<'_>) -> bool {
|
2016-10-04 20:22:13 -04:00
|
|
|
if candidate.ext.is_empty() {
|
|
|
|
return false;
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
2019-04-04 18:33:41 -04:00
|
|
|
self.0.contains_key(candidate.ext.as_bytes())
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[inline(never)]
|
2021-06-01 20:45:45 -04:00
|
|
|
fn matches_into(
|
|
|
|
&self,
|
|
|
|
candidate: &Candidate<'_>,
|
|
|
|
matches: &mut Vec<usize>,
|
|
|
|
) {
|
2016-10-04 20:22:13 -04:00
|
|
|
if candidate.ext.is_empty() {
|
|
|
|
return;
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
2019-04-04 18:33:41 -04:00
|
|
|
if let Some(hits) = self.0.get(candidate.ext.as_bytes()) {
|
2016-10-04 20:22:13 -04:00
|
|
|
matches.extend(hits);
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Clone, Debug)]
|
|
|
|
struct PrefixStrategy {
|
2019-04-03 13:51:26 -04:00
|
|
|
matcher: AhoCorasick,
|
2016-10-04 20:22:13 -04:00
|
|
|
map: Vec<usize>,
|
|
|
|
longest: usize,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl PrefixStrategy {
|
2021-06-01 19:47:46 -04:00
|
|
|
fn is_match(&self, candidate: &Candidate<'_>) -> bool {
|
2016-10-04 20:22:13 -04:00
|
|
|
let path = candidate.path_prefix(self.longest);
|
2019-04-03 13:51:26 -04:00
|
|
|
for m in self.matcher.find_overlapping_iter(path) {
|
|
|
|
if m.start() == 0 {
|
2016-10-04 20:22:13 -04:00
|
|
|
return true;
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
false
|
|
|
|
}
|
|
|
|
|
2021-06-01 20:45:45 -04:00
|
|
|
fn matches_into(
|
|
|
|
&self,
|
|
|
|
candidate: &Candidate<'_>,
|
|
|
|
matches: &mut Vec<usize>,
|
|
|
|
) {
|
2016-10-04 20:22:13 -04:00
|
|
|
let path = candidate.path_prefix(self.longest);
|
2019-04-03 13:51:26 -04:00
|
|
|
for m in self.matcher.find_overlapping_iter(path) {
|
|
|
|
if m.start() == 0 {
|
|
|
|
matches.push(self.map[m.pattern()]);
|
2016-09-25 17:28:23 -04:00
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Clone, Debug)]
|
|
|
|
struct SuffixStrategy {
|
2019-04-03 13:51:26 -04:00
|
|
|
matcher: AhoCorasick,
|
2016-10-04 20:22:13 -04:00
|
|
|
map: Vec<usize>,
|
|
|
|
longest: usize,
|
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
impl SuffixStrategy {
|
2021-06-01 19:47:46 -04:00
|
|
|
fn is_match(&self, candidate: &Candidate<'_>) -> bool {
|
2016-10-04 20:22:13 -04:00
|
|
|
let path = candidate.path_suffix(self.longest);
|
2019-04-03 13:51:26 -04:00
|
|
|
for m in self.matcher.find_overlapping_iter(path) {
|
|
|
|
if m.end() == path.len() {
|
2016-10-04 20:22:13 -04:00
|
|
|
return true;
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
false
|
|
|
|
}
|
|
|
|
|
2021-06-01 20:45:45 -04:00
|
|
|
fn matches_into(
|
|
|
|
&self,
|
|
|
|
candidate: &Candidate<'_>,
|
|
|
|
matches: &mut Vec<usize>,
|
|
|
|
) {
|
2016-10-04 20:22:13 -04:00
|
|
|
let path = candidate.path_suffix(self.longest);
|
2019-04-03 13:51:26 -04:00
|
|
|
for m in self.matcher.find_overlapping_iter(path) {
|
|
|
|
if m.end() == path.len() {
|
|
|
|
matches.push(self.map[m.pattern()]);
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Clone, Debug)]
|
2023-09-26 15:01:20 -04:00
|
|
|
struct RequiredExtensionStrategy(fnv::HashMap<Vec<u8>, Vec<(usize, Regex)>>);
|
2016-10-04 20:22:13 -04:00
|
|
|
|
|
|
|
impl RequiredExtensionStrategy {
|
2021-06-01 19:47:46 -04:00
|
|
|
fn is_match(&self, candidate: &Candidate<'_>) -> bool {
|
2016-10-04 20:22:13 -04:00
|
|
|
if candidate.ext.is_empty() {
|
|
|
|
return false;
|
|
|
|
}
|
2019-04-04 18:33:41 -04:00
|
|
|
match self.0.get(candidate.ext.as_bytes()) {
|
2016-10-04 20:22:13 -04:00
|
|
|
None => false,
|
|
|
|
Some(regexes) => {
|
|
|
|
for &(_, ref re) in regexes {
|
2019-04-04 18:33:41 -04:00
|
|
|
if re.is_match(candidate.path.as_bytes()) {
|
2016-10-04 20:22:13 -04:00
|
|
|
return true;
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
false
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[inline(never)]
|
2021-06-01 20:45:45 -04:00
|
|
|
fn matches_into(
|
|
|
|
&self,
|
|
|
|
candidate: &Candidate<'_>,
|
|
|
|
matches: &mut Vec<usize>,
|
|
|
|
) {
|
2016-10-04 20:22:13 -04:00
|
|
|
if candidate.ext.is_empty() {
|
|
|
|
return;
|
|
|
|
}
|
2019-04-04 18:33:41 -04:00
|
|
|
if let Some(regexes) = self.0.get(candidate.ext.as_bytes()) {
|
2016-10-04 20:22:13 -04:00
|
|
|
for &(global_index, ref re) in regexes {
|
2019-04-04 18:33:41 -04:00
|
|
|
if re.is_match(candidate.path.as_bytes()) {
|
2016-10-04 20:22:13 -04:00
|
|
|
matches.push(global_index);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[derive(Clone, Debug)]
|
|
|
|
struct RegexSetStrategy {
|
2023-09-26 15:01:20 -04:00
|
|
|
matcher: Regex,
|
2016-10-04 20:22:13 -04:00
|
|
|
map: Vec<usize>,
|
2023-09-28 13:19:57 -04:00
|
|
|
// We use a pool of PatternSets to hopefully allocating a fresh one on each
|
|
|
|
// call.
|
|
|
|
//
|
|
|
|
// TODO: In the next semver breaking release, we should drop this pool and
|
|
|
|
// expose an opaque type that wraps PatternSet. Then callers can provide
|
|
|
|
// it to `matches_into` directly. Callers might still want to use a pool
|
|
|
|
// or similar to amortize allocation, but that matches the status quo and
|
|
|
|
// absolves us of needing to do it here.
|
|
|
|
patset: Arc<Pool<PatternSet, PatternSetPoolFn>>,
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
|
|
|
|
2023-09-28 13:19:57 -04:00
|
|
|
type PatternSetPoolFn =
|
|
|
|
Box<dyn Fn() -> PatternSet + Send + Sync + UnwindSafe + RefUnwindSafe>;
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
impl RegexSetStrategy {
|
2021-06-01 19:47:46 -04:00
|
|
|
fn is_match(&self, candidate: &Candidate<'_>) -> bool {
|
2019-04-04 18:33:41 -04:00
|
|
|
self.matcher.is_match(candidate.path.as_bytes())
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
2016-09-15 22:06:04 -04:00
|
|
|
|
2021-06-01 20:45:45 -04:00
|
|
|
fn matches_into(
|
|
|
|
&self,
|
|
|
|
candidate: &Candidate<'_>,
|
|
|
|
matches: &mut Vec<usize>,
|
|
|
|
) {
|
2023-09-26 15:01:20 -04:00
|
|
|
let input = regex_automata::Input::new(candidate.path.as_bytes());
|
2023-09-28 13:19:57 -04:00
|
|
|
let mut patset = self.patset.get();
|
|
|
|
patset.clear();
|
2023-09-26 15:01:20 -04:00
|
|
|
self.matcher.which_overlapping_matches(&input, &mut patset);
|
|
|
|
for i in patset.iter() {
|
2016-10-04 20:22:13 -04:00
|
|
|
matches.push(self.map[i]);
|
|
|
|
}
|
2023-09-28 13:19:57 -04:00
|
|
|
PoolGuard::put(patset);
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[derive(Clone, Debug)]
|
|
|
|
struct MultiStrategyBuilder {
|
|
|
|
literals: Vec<String>,
|
|
|
|
map: Vec<usize>,
|
|
|
|
longest: usize,
|
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
impl MultiStrategyBuilder {
|
|
|
|
fn new() -> MultiStrategyBuilder {
|
2020-02-17 18:08:47 -05:00
|
|
|
MultiStrategyBuilder { literals: vec![], map: vec![], longest: 0 }
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
fn add(&mut self, global_index: usize, literal: String) {
|
|
|
|
if literal.len() > self.longest {
|
|
|
|
self.longest = literal.len();
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
self.map.push(global_index);
|
|
|
|
self.literals.push(literal);
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
fn prefix(self) -> PrefixStrategy {
|
|
|
|
PrefixStrategy {
|
2023-06-11 21:25:23 -04:00
|
|
|
matcher: AhoCorasick::new(&self.literals).unwrap(),
|
2016-10-04 20:22:13 -04:00
|
|
|
map: self.map,
|
|
|
|
longest: self.longest,
|
|
|
|
}
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
fn suffix(self) -> SuffixStrategy {
|
|
|
|
SuffixStrategy {
|
2023-06-11 21:25:23 -04:00
|
|
|
matcher: AhoCorasick::new(&self.literals).unwrap(),
|
2016-10-04 20:22:13 -04:00
|
|
|
map: self.map,
|
|
|
|
longest: self.longest,
|
|
|
|
}
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
fn regex_set(self) -> Result<RegexSetStrategy, Error> {
|
2023-09-28 13:19:57 -04:00
|
|
|
let matcher = new_regex_set(self.literals)?;
|
|
|
|
let pattern_len = matcher.pattern_len();
|
|
|
|
let create: PatternSetPoolFn =
|
|
|
|
Box::new(move || PatternSet::new(pattern_len));
|
2016-10-04 20:22:13 -04:00
|
|
|
Ok(RegexSetStrategy {
|
2023-09-28 13:19:57 -04:00
|
|
|
matcher,
|
2016-10-04 20:22:13 -04:00
|
|
|
map: self.map,
|
2023-09-28 13:19:57 -04:00
|
|
|
patset: Arc::new(Pool::new(create)),
|
2016-10-04 20:22:13 -04:00
|
|
|
})
|
2016-09-15 22:06:04 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
2016-09-15 22:06:04 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[derive(Clone, Debug)]
|
|
|
|
struct RequiredExtensionStrategyBuilder(
|
2023-09-26 15:01:20 -04:00
|
|
|
fnv::HashMap<Vec<u8>, Vec<(usize, String)>>,
|
2016-10-04 20:22:13 -04:00
|
|
|
);
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
impl RequiredExtensionStrategyBuilder {
|
|
|
|
fn new() -> RequiredExtensionStrategyBuilder {
|
2023-09-26 15:01:20 -04:00
|
|
|
RequiredExtensionStrategyBuilder(fnv::HashMap::default())
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
globset: remove use of unsafe
This commit removes, in retrospect, a silly use of `unsafe`. In particular,
to extract a file name extension (distinct from how `std` implements it),
we were transmuting an OsStr to its underlying WTF-8 byte representation
and then searching that. This required `unsafe` and relied on an
undocumented std API, so it was a bad choice to make, but everything gets
sacrificed at the Alter of Performance.
The thing I didn't seem to realize at the time was that:
1. On Unix, you can already get the raw byte representation in a manner
that has zero cost.
2. On Windows, paths are already being encoded and copied every which
way. So doing a UTF-8 check and, in rare cases (for invalid UTF-8),
an extra copy, doesn't seem like that much more of an added expense.
Thus, rewrite the extension extraction using safe APIs. On Unix, this
should have identical performance characteristics as the previous
implementation. On Windows, we do pay a higher cost in the UTF-8
check, but Windows is already paying a similar cost a few times over
anyway.
2018-02-10 21:37:13 -05:00
|
|
|
fn add(&mut self, global_index: usize, ext: String, regex: String) {
|
|
|
|
self.0
|
|
|
|
.entry(ext.into_bytes())
|
|
|
|
.or_insert(vec![])
|
|
|
|
.push((global_index, regex));
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
fn build(self) -> Result<RequiredExtensionStrategy, Error> {
|
2023-09-26 15:01:20 -04:00
|
|
|
let mut exts = fnv::HashMap::default();
|
2016-10-04 20:22:13 -04:00
|
|
|
for (ext, regexes) in self.0.into_iter() {
|
|
|
|
exts.insert(ext.clone(), vec![]);
|
|
|
|
for (global_index, regex) in regexes {
|
2018-01-01 19:52:35 +05:30
|
|
|
let compiled = new_regex(®ex)?;
|
2016-10-04 20:22:13 -04:00
|
|
|
exts.get_mut(&ext).unwrap().push((global_index, compiled));
|
|
|
|
}
|
|
|
|
}
|
|
|
|
Ok(RequiredExtensionStrategy(exts))
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
2016-10-04 20:22:13 -04:00
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2021-11-12 18:39:03 +01:00
|
|
|
/// Escape meta-characters within the given glob pattern.
|
|
|
|
///
|
|
|
|
/// The escaping works by surrounding meta-characters with brackets. For
|
|
|
|
/// example, `*` becomes `[*]`.
|
|
|
|
pub fn escape(s: &str) -> String {
|
|
|
|
let mut escaped = String::with_capacity(s.len());
|
|
|
|
for c in s.chars() {
|
|
|
|
match c {
|
|
|
|
// note that ! does not need escaping because it is only special
|
|
|
|
// inside brackets
|
|
|
|
'?' | '*' | '[' | ']' => {
|
|
|
|
escaped.push('[');
|
|
|
|
escaped.push(c);
|
|
|
|
escaped.push(']');
|
|
|
|
}
|
|
|
|
c => {
|
|
|
|
escaped.push(c);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
escaped
|
|
|
|
}
|
|
|
|
|
2016-10-04 20:22:13 -04:00
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
2021-06-01 19:29:50 -04:00
|
|
|
use crate::glob::Glob;
|
2016-08-25 21:44:37 -04:00
|
|
|
|
2023-09-28 13:19:57 -04:00
|
|
|
use super::{GlobSet, GlobSetBuilder};
|
|
|
|
|
2016-08-25 21:44:37 -04:00
|
|
|
#[test]
|
|
|
|
fn set_works() {
|
2016-10-10 19:16:52 -04:00
|
|
|
let mut builder = GlobSetBuilder::new();
|
|
|
|
builder.add(Glob::new("src/**/*.rs").unwrap());
|
|
|
|
builder.add(Glob::new("*.c").unwrap());
|
|
|
|
builder.add(Glob::new("src/lib.rs").unwrap());
|
2016-08-25 21:44:37 -04:00
|
|
|
let set = builder.build().unwrap();
|
|
|
|
|
2016-10-10 19:16:52 -04:00
|
|
|
assert!(set.is_match("foo.c"));
|
|
|
|
assert!(set.is_match("src/foo.c"));
|
|
|
|
assert!(!set.is_match("foo.rs"));
|
|
|
|
assert!(!set.is_match("tests/foo.rs"));
|
|
|
|
assert!(set.is_match("src/foo.rs"));
|
|
|
|
assert!(set.is_match("src/grep/src/main.rs"));
|
2016-09-15 22:06:04 -04:00
|
|
|
|
|
|
|
let matches = set.matches("src/lib.rs");
|
|
|
|
assert_eq!(2, matches.len());
|
|
|
|
assert_eq!(0, matches[0]);
|
|
|
|
assert_eq!(2, matches[1]);
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|
2016-10-11 19:57:09 -04:00
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn empty_set_works() {
|
|
|
|
let set = GlobSetBuilder::new().build().unwrap();
|
|
|
|
assert!(!set.is_match(""));
|
|
|
|
assert!(!set.is_match("a"));
|
|
|
|
}
|
2021-05-31 15:54:55 -07:00
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn default_set_is_empty_works() {
|
|
|
|
let set: GlobSet = Default::default();
|
|
|
|
assert!(!set.is_match(""));
|
|
|
|
assert!(!set.is_match("a"));
|
|
|
|
}
|
2021-11-12 18:39:03 +01:00
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn escape() {
|
|
|
|
use super::escape;
|
|
|
|
assert_eq!("foo", escape("foo"));
|
|
|
|
assert_eq!("foo[*]", escape("foo*"));
|
|
|
|
assert_eq!("[[][]]", escape("[]"));
|
|
|
|
assert_eq!("[*][?]", escape("*?"));
|
|
|
|
assert_eq!("src/[*][*]/[*].rs", escape("src/**/*.rs"));
|
|
|
|
assert_eq!("bar[[]ab[]]baz", escape("bar[ab]baz"));
|
|
|
|
assert_eq!("bar[[]!![]]!baz", escape("bar[!!]!baz"));
|
|
|
|
}
|
2023-09-28 13:19:57 -04:00
|
|
|
|
|
|
|
// This tests that regex matching doesn't "remember" the results of
|
|
|
|
// previous searches. That is, if any memory is reused from a previous
|
|
|
|
// search, then it should be cleared first.
|
|
|
|
#[test]
|
|
|
|
fn set_does_not_remember() {
|
|
|
|
let mut builder = GlobSetBuilder::new();
|
|
|
|
builder.add(Glob::new("*foo*").unwrap());
|
|
|
|
builder.add(Glob::new("*bar*").unwrap());
|
|
|
|
builder.add(Glob::new("*quux*").unwrap());
|
|
|
|
let set = builder.build().unwrap();
|
|
|
|
|
|
|
|
let matches = set.matches("ZfooZquuxZ");
|
|
|
|
assert_eq!(2, matches.len());
|
|
|
|
assert_eq!(0, matches[0]);
|
|
|
|
assert_eq!(2, matches[1]);
|
|
|
|
|
|
|
|
let matches = set.matches("nada");
|
|
|
|
assert_eq!(0, matches.len());
|
|
|
|
}
|
2016-08-25 21:44:37 -04:00
|
|
|
}
|