spinoso_regexp/
named_captures.rs

1use std::collections::HashMap;
2use std::iter::FusedIterator;
3use std::vec;
4
5#[derive(Default, Debug, Clone, Hash, PartialEq, Eq)]
6pub struct NamedCapture {
7    group: Vec<u8>,
8    indices: Vec<usize>,
9}
10
11impl NamedCapture {
12    #[must_use]
13    pub(crate) const fn new(group: Vec<u8>, indices: Vec<usize>) -> Self {
14        Self { group, indices }
15    }
16
17    #[must_use]
18    pub fn group(&self) -> &[u8] {
19        &self.group[..]
20    }
21
22    #[must_use]
23    pub fn indices(&self) -> &[usize] {
24        &self.indices[..]
25    }
26
27    #[must_use]
28    pub fn into_group(self) -> Vec<u8> {
29        self.group
30    }
31
32    #[must_use]
33    pub fn into_group_and_indices(self) -> (Vec<u8>, Vec<usize>) {
34        (self.group, self.indices)
35    }
36}
37
38#[derive(Debug, Clone)]
39#[must_use = "this `NamedCaptures` is an `Iterator`, which should be consumed if constructed"]
40pub struct NamedCaptures {
41    items: vec::IntoIter<NamedCapture>,
42}
43
44impl Default for NamedCaptures {
45    fn default() -> Self {
46        vec![].into()
47    }
48}
49
50impl From<Vec<NamedCapture>> for NamedCaptures {
51    fn from(named_captures: Vec<NamedCapture>) -> Self {
52        Self {
53            items: named_captures.into_iter(),
54        }
55    }
56}
57
58impl Iterator for NamedCaptures {
59    type Item = NamedCapture;
60
61    fn next(&mut self) -> Option<Self::Item> {
62        self.items.next()
63    }
64
65    fn size_hint(&self) -> (usize, Option<usize>) {
66        self.items.size_hint()
67    }
68
69    fn count(self) -> usize {
70        self.items.count()
71    }
72}
73
74impl DoubleEndedIterator for NamedCaptures {
75    fn next_back(&mut self) -> Option<Self::Item> {
76        self.items.next_back()
77    }
78}
79
80impl ExactSizeIterator for NamedCaptures {}
81
82impl FusedIterator for NamedCaptures {}
83
84#[derive(Default, Debug, Clone)]
85pub struct NamedCapturesForHaystack {
86    matches: HashMap<Vec<u8>, Option<Vec<u8>>>,
87}
88
89impl NamedCapturesForHaystack {
90    pub(crate) fn with_capacity(capacity: usize) -> Self {
91        let matches = HashMap::with_capacity(capacity);
92        Self { matches }
93    }
94
95    pub(crate) fn insert(&mut self, name: Vec<u8>, matched: Option<Vec<u8>>) {
96        self.matches.insert(name, matched);
97    }
98
99    #[must_use]
100    pub fn into_map(self) -> HashMap<Vec<u8>, Option<Vec<u8>>> {
101        self.matches
102    }
103}