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 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244
//! Engine decorator that performs **head skipping** – an extremely optimized search for
//! the first matching member name in a query starting with a self-looping state.
//! This happens in queries starting with a descendant selector.
use crate::{
classification::{
mask::Mask,
memmem::Memmem,
quotes::{resume_quote_classification, InnerIter, QuoteClassifiedIterator},
structural::{resume_structural_classification, BracketType, Structural, StructuralIterator},
ResumeClassifierBlockState, ResumeClassifierState,
},
debug,
depth::Depth,
engine::EngineError,
input::Input,
query::{
automaton::{Automaton, State},
JsonString,
},
result::Recorder,
FallibleIterator, MaskType, BLOCK_SIZE,
};
/// Trait that needs to be implemented by an [`Engine`](`super::Engine`) to use this submodule.
pub(super) trait CanHeadSkip<'b, 'r, I, R, const N: usize>
where
I: Input + 'b,
R: Recorder<I::Block<'b, N>>,
{
/// Function called when head-skipping finds a member name at which normal query execution
/// should resume.
///
/// The [`HeadSkip::run_head_skipping`] function will call this implementation
/// whenever it finds a member name matching the first transition in the query.
/// The structural `classifier` passed is guaranteed to have classified the
/// `next_event` and nothing past that. It is guaranteed that
/// `next_event` is [`Structural::Opening`].
///
/// When called, the engine must start with in the automaton state as given in `state`
/// and execute the query until a matching [`Structural::Closing`] character is encountered,
/// using `classifier` for classification and `result` for reporting query results. The `classifier`
/// must *not* be used to classify anything past the matching [`Structural::Closing`] character.
fn run_on_subtree<Q, S>(
&mut self,
next_event: Structural,
state: State,
structural_classifier: S,
) -> Result<ResumeClassifierState<'b, I::BlockIterator<'b, 'r, N, R>, Q, MaskType, N>, EngineError>
where
I: Input,
Q: QuoteClassifiedIterator<'b, I::BlockIterator<'b, 'r, N, R>, MaskType, N>,
S: StructuralIterator<'b, I::BlockIterator<'b, 'r, N, R>, Q, MaskType, N>;
fn recorder(&mut self) -> &'r R;
}
/// Configuration of the head-skipping decorator.
pub(super) struct HeadSkip<'b, 'q, I: Input, const N: usize> {
bytes: &'b I,
state: State,
is_accepting: bool,
member_name: &'q JsonString,
}
impl<'b, 'q, I: Input> HeadSkip<'b, 'q, I, BLOCK_SIZE> {
/// Create a new instance of the head-skipping decorator over a given input
/// and for a compiled query [`Automaton`].
///
/// # Returns
/// If head-skipping is possible for the query represented by `automaton`,
/// returns [`Some`] with a configured instance of [`HeadSkip`].
/// If head-skipping is not possible, returns [`None`].
///
/// ## Details
/// Head-skipping is possible if the query automaton starts
/// with a state with a wildcard self-loop and a single member-labelled transition forward.
/// Syntactically, if the [`fallback_state`](`crate::query::automaton::StateTable::fallback_state`)
/// of the [`initial_state`](`crate::query::automaton::StateTable::initial_state`) is the same as the
/// [`initial_state`](`crate::query::automaton::StateTable::initial_state`), and its
/// [`transitions`](`crate::query::automaton::StateTable::transitions`) are a single-element list.
///
/// This means that we can search for the label of the forward transition in the entire document,
/// disregarding any additional structure – during execution we would always loop
/// around in the initial state until encountering the desired member name. This search can be done
/// extremely quickly with [`memchr::memmem`].
///
/// In all other cases, head-skipping is not supported.
pub(super) fn new(bytes: &'b I, automaton: &'b Automaton<'q>) -> Option<Self> {
let initial_state = automaton.initial_state();
let fallback_state = automaton[initial_state].fallback_state();
let transitions = automaton[initial_state].transitions();
if fallback_state == initial_state && transitions.len() == 1 {
let (label, target_state) = transitions[0];
if let Some(member_name) = label.get_member_name() {
debug!("Automaton starts with a descendant search, using memmem heuristic.");
return Some(Self {
bytes,
state: target_state,
is_accepting: automaton.is_accepting(target_state),
member_name,
});
}
}
None
}
/// Run a preconfigured [`HeadSkip`] using the given `engine` and reporting
/// to the `result`.
pub(super) fn run_head_skipping<'r, E, R>(&self, engine: &mut E) -> Result<(), EngineError>
where
'b: 'r,
E: CanHeadSkip<'b, 'r, I, R, BLOCK_SIZE>,
R: Recorder<I::Block<'b, BLOCK_SIZE>> + 'r,
{
let mut input_iter = self.bytes.iter_blocks(engine.recorder());
let mut idx = 0;
let mut first_block = None;
loop {
let mut memmem = crate::classification::memmem::memmem(self.bytes, &mut input_iter);
debug!("Starting memmem search from {idx}");
if let Some((starting_quote_idx, last_block)) = memmem.find_label(first_block, idx, self.member_name)? {
drop(memmem);
first_block = Some(last_block);
idx = starting_quote_idx;
debug!("Needle found at {idx}");
let seek_start_idx = idx + self.member_name.bytes_with_quotes().len();
match self.bytes.seek_non_whitespace_forward(seek_start_idx)? {
Some((colon_idx, b':')) => {
let (next_idx, next_c) = self
.bytes
.seek_non_whitespace_forward(colon_idx + 1)?
.ok_or(EngineError::MissingItem())?;
let (quote_classifier, quote_classified_first_block) =
resume_quote_classification(input_iter, first_block);
// Temporarily set the index within the current block to zero.
// This makes sense for the move below.
let mut classifier_state = ResumeClassifierState {
iter: quote_classifier,
block: quote_classified_first_block
.map(|b| ResumeClassifierBlockState { block: b, idx: 0 }),
are_colons_on: false,
are_commas_on: self.is_accepting,
};
debug!("Actual match with colon at {colon_idx}");
debug!("Next significant character at {next_idx}");
debug!("Classifier is at {}", classifier_state.get_idx());
debug!("We will forward to {colon_idx} first, then to {next_idx}",);
// Now we want to move the entire iterator state so that the current block is quote-classified,
// and correctly points to the place the engine would expect had it found the matching key
// in the regular loop. If the value is atomic, we handle it ourselves. If the value is complex,
// the engine wants to start one byte *after* the opening character.
let resume_idx = if next_c == b'{' || next_c == b'[' {
next_idx + 1
} else {
next_idx
};
classifier_state.forward_to(resume_idx)?;
// We now have the block where we want and we ran quote classification, but during the `forward_to`
// call we lose all the flow-through quote information that usually is passed from one block to the next.
// We need to manually verify the soundness of the classification. Fortunately:
// 1. we know that resume_idx is either the start of a value, or one byte after an opening -
// in a valid JSON this character can be within quotes if and only if it is itself a quote;
// 2. the only way the mask can be wrong is if it is flipped - marks chars within quotes
// as outside and vice versa - so it suffices to flip it if it is wrong.
if let Some(block) = classifier_state.block.as_mut() {
let should_be_quoted = block.block.block[block.idx] == b'"';
if block.block.within_quotes_mask.is_lit(block.idx) != should_be_quoted {
debug!("Mask needs flipping!");
block.block.within_quotes_mask = !block.block.within_quotes_mask;
classifier_state.iter.flip_quotes_bit();
}
}
classifier_state = match next_c {
b'{' | b'[' => {
debug!("resuming");
if self.is_accepting {
engine.recorder().record_match(
next_idx,
Depth::ZERO,
crate::result::MatchedNodeType::Complex,
)?;
}
let classifier = resume_structural_classification(classifier_state);
engine.run_on_subtree(
Structural::Opening(
if next_c == b'{' {
BracketType::Curly
} else {
BracketType::Square
},
next_idx,
),
self.state,
classifier,
)?
}
_ if self.is_accepting => {
engine.recorder().record_match(
next_idx,
Depth::ZERO,
crate::result::MatchedNodeType::Atomic,
)?;
let mut classifier = resume_structural_classification(classifier_state);
let next_structural = classifier.next()?;
match next_structural {
Some(s) => engine.recorder().record_value_terminator(s.idx(), Depth::ZERO)?,
None => return Err(EngineError::MissingClosingCharacter()),
}
classifier.stop()
}
_ => classifier_state,
};
debug!("Quote classified up to {}", classifier_state.get_idx());
idx = classifier_state.get_idx();
first_block = classifier_state.block.map(|b| b.block.block);
input_iter = classifier_state.iter.into_inner();
}
_ => idx += 1,
}
} else {
debug!("No memmem matches, exiting");
break;
}
}
Ok(())
}
}