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
use crate::dir::Dir;
use crate::file::File;
use glob::{Pattern, PatternError};
use std::path::Path;
#[derive(Debug, Clone, PartialEq)]
pub struct Globs<'a> {
stack: Vec<DirEntry<'a>>,
pattern: Pattern,
}
impl<'a> Dir<'a> {
pub fn find(&self, glob: &str) -> Result<impl Iterator<Item = DirEntry<'a>>, PatternError> {
let pattern = Pattern::new(glob)?;
Ok(Globs::new(pattern, *self))
}
pub(crate) fn dir_entries(&self) -> impl Iterator<Item = DirEntry<'a>> {
let files = self.files().iter().map(|f| DirEntry::File(*f));
let dirs = self.dirs().iter().map(|d| DirEntry::Dir(*d));
files.chain(dirs)
}
}
impl<'a> Globs<'a> {
pub(crate) fn new(pattern: Pattern, root: Dir<'a>) -> Globs<'a> {
let stack = vec![DirEntry::Dir(root)];
Globs { stack, pattern }
}
fn fill_buffer(&mut self, item: &DirEntry<'a>) {
if let DirEntry::Dir(ref dir) = *item {
self.stack.extend(dir.dir_entries());
}
}
}
impl<'a> Iterator for Globs<'a> {
type Item = DirEntry<'a>;
fn next(&mut self) -> Option<Self::Item> {
while let Some(item) = self.stack.pop() {
self.fill_buffer(&item);
if self.pattern.matches_path(item.path()) {
return Some(item);
}
}
None
}
}
#[derive(Debug, Copy, Clone, PartialEq)]
pub enum DirEntry<'a> {
File(File<'a>),
Dir(Dir<'a>),
}
impl<'a> DirEntry<'a> {
pub fn path(&self) -> &'a Path {
match *self {
DirEntry::File(f) => f.path(),
DirEntry::Dir(d) => d.path(),
}
}
}