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 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378
//! Incremental search
//!
//! # Motivation
//!
//! The motivation for this struct is for "online" or interactive use cases. One
//! often accumulates input to match against a trie. Using the standard
//! [`exact_match()`][crate::trie::Trie::exact_match] faculties which has a time
//! complexity of _O(m log n)_ where _m_ is the query string length and _n_ is
//! the number of entries in the trie. Consider this loop where we simulate
//! accumulating a query.
//!
//! ```rust
//! use trie_rs::Trie;
//!
//! let q = "appli"; // query string
//! let mut is_match: bool;
//! let trie = Trie::from_iter(vec!["appli", "application"]);
//! for i in 0..q.len() - 1 {
//! assert!(!trie.exact_match(&q[0..i]));
//! }
//! assert!(trie.exact_match(q));
//! ```
//!
//! Building the query one "character" at a time and `exact_match()`ing each
//! time, the loop has effectively complexity of _O(m<sup>2</sup> log n)_.
//!
//! Using the incremental search, the time complexity of each query is _O(log
//! n)_ which returns an [Answer] enum.
//!
//! ```ignore
//! let q = "appli"; // query string
//! let inc_search = trie.inc_search();
//! let mut is_match: bool;
//! for i = 0..q.len() {
//! is_match = inc_search.query(q[i]).unwrap().is_match();
//! }
//! ```
//!
//! This means the above code restores the time complexity of _O(m log n)_ for
//! the loop.
use crate::{
map::Trie,
try_collect::{TryCollect, TryFromIterator},
};
use louds_rs::LoudsNodeNum;
#[derive(Debug, Clone)]
/// An incremental search of the trie.
pub struct IncSearch<'a, Label, Value> {
trie: &'a Trie<Label, Value>,
node: LoudsNodeNum,
}
/// Search position in the trie.
///
/// # Why do this?
///
/// "Position" is more descriptive for incremental search purposes, and without
/// it a user would have to explicitly depend on `louds-rs`.
pub type Position = LoudsNodeNum;
/// Retrieve the position the search is on. Useful for hanging on to a search
/// without having to fight the borrow checker because its borrowing a trie.
impl<'a, L, V> From<IncSearch<'a, L, V>> for Position {
fn from(inc_search: IncSearch<'a, L, V>) -> Self {
inc_search.node
}
}
/// A "matching" answer to an incremental search on a partial query.
#[derive(Debug, PartialEq, Eq, Clone, Copy)]
pub enum Answer {
/// There is a prefix here.
Prefix,
/// There is an exact match here.
Match,
/// There is a prefix and an exact match here.
PrefixAndMatch,
}
impl Answer {
/// Is query answer a prefix?
pub fn is_prefix(&self) -> bool {
matches!(self, Answer::Prefix | Answer::PrefixAndMatch)
}
/// Is query answer an exact match?
pub fn is_match(&self) -> bool {
matches!(self, Answer::Match | Answer::PrefixAndMatch)
}
fn new(is_prefix: bool, is_match: bool) -> Option<Self> {
match (is_prefix, is_match) {
(true, false) => Some(Answer::Prefix),
(false, true) => Some(Answer::Match),
(true, true) => Some(Answer::PrefixAndMatch),
(false, false) => None,
}
}
}
impl<'a, Label: Ord, Value> IncSearch<'a, Label, Value> {
/// Create a new incremental search for a trie.
pub fn new(trie: &'a Trie<Label, Value>) -> Self {
Self {
trie,
node: LoudsNodeNum(1),
}
}
/// Resume an incremental search at a particular point.
///
/// ```
/// use trie_rs::{Trie, inc_search::{Answer, IncSearch}};
/// use louds_rs::LoudsNodeNum;
///
/// let trie: Trie<u8> = ["hello", "bye"].into_iter().collect();
/// let mut inc_search = trie.inc_search();
///
/// assert_eq!(inc_search.query_until("he"), Ok(Answer::Prefix));
/// let position = LoudsNodeNum::from(inc_search);
///
/// // inc_search is dropped.
/// let mut inc_search2 = IncSearch::resume(&trie.0, position);
/// assert_eq!(inc_search2.query_until("llo"), Ok(Answer::Match));
///
/// ```
pub fn resume(trie: &'a Trie<Label, Value>, position: Position) -> Self {
Self {
trie,
node: position,
}
}
/// Query but do not change the node we're looking at on the trie.
pub fn peek(&self, chr: &Label) -> Option<Answer> {
let children_node_nums: Vec<_> = self.trie.children_node_nums(self.node).collect();
let res = self
.trie
.bin_search_by_children_labels(chr, &children_node_nums[..]);
match res {
Ok(j) => {
let node = children_node_nums[j];
let is_prefix = self.trie.has_children_node_nums(node);
let is_match = self.trie.value(node).is_some();
Answer::new(is_prefix, is_match)
}
Err(_) => None,
}
}
/// Query the trie and go to node if there is a match.
pub fn query(&mut self, chr: &Label) -> Option<Answer> {
let children_node_nums: Vec<_> = self.trie.children_node_nums(self.node).collect();
let res = self
.trie
.bin_search_by_children_labels(chr, &children_node_nums[..]);
match res {
Ok(j) => {
self.node = children_node_nums[j];
let is_prefix = self.trie.has_children_node_nums(self.node);
let is_match = self.trie.value(self.node).is_some();
Answer::new(is_prefix, is_match)
}
Err(_) => None,
}
}
/// Query the trie with a sequence. Will return `Err(index of query)` on
/// first failure to match.
pub fn query_until(&mut self, query: impl AsRef<[Label]>) -> Result<Answer, usize> {
let mut result = None;
let mut i = 0;
for chr in query.as_ref().iter() {
result = self.query(chr);
if result.is_none() {
return Err(i);
}
i += 1;
}
result.ok_or(i)
}
/// Return the value at current node. There should be one for any node where
/// `answer.is_match()` is true.
pub fn value(&self) -> Option<&'a Value> {
self.trie.value(self.node)
}
/// Go to the longest shared prefix.
pub fn goto_longest_prefix(&mut self) -> Result<usize, usize> {
let mut count = 0;
while count == 0 || !self.trie.is_terminal(self.node) {
let mut iter = self.trie.children_node_nums(self.node);
let first = iter.next();
let second = iter.next();
match (first, second) {
(Some(child_node_num), None) => {
self.node = child_node_num;
count += 1;
}
(None, _) => {
assert_eq!(count, 0);
return Ok(count);
}
_ => {
return Err(count);
}
}
}
Ok(count)
}
/// Return the current prefix for this search.
pub fn prefix<C, M>(&self) -> C
where
C: TryFromIterator<Label, M>,
Label: Clone,
{
let mut v: Vec<Label> = self
.trie
.child_to_ancestors(self.node)
.map(|node| self.trie.label(node).clone())
.collect();
v.reverse();
v.into_iter().try_collect().expect("Could not collect")
}
/// Returne the length of the current prefix for this search.
pub fn prefix_len(&self) -> usize {
// TODO: If PR for child_to_ancestors is accepted. Use the iterator and
// remove `pub(crate)` from Trie.louds field. Also uncomment prefix()
// above.
self.trie.child_to_ancestors(self.node).count()
// let mut node = self.node;
// let mut count = 0;
// while node.0 > 1 {
// let index = self.trie.louds.node_num_to_index(node);
// node = self.trie.louds.child_to_parent(index);
// count += 1;
// }
// count
}
// This isn't actually possible.
// /// Return the mutable value at current node. There should be one for any
// /// node where `answer.is_match()` is true.
// ///
// /// Note: Because [IncSearch] does not store a mutable reference to the
// /// trie, a mutable reference must be provided.
// pub fn value_mut<'b>(self, trie: &'b mut Trie<Label, Value>) -> Option<&'b mut Value> {
// trie.value_mut(self.node)
// }
/// Reset the query.
pub fn reset(&mut self) {
self.node = LoudsNodeNum(1);
}
}
#[cfg(test)]
mod search_tests {
use super::*;
use crate::map::{Trie, TrieBuilder};
fn build_trie() -> Trie<u8, u8> {
let mut builder = TrieBuilder::new();
builder.push("a", 0);
builder.push("app", 1);
builder.push("apple", 2);
builder.push("better", 3);
builder.push("application", 4);
builder.push("アップル🍎", 5);
builder.build()
}
#[test]
fn inc_search() {
let trie = build_trie();
let mut search = trie.inc_search();
assert_eq!("", search.prefix::<String, _>());
assert_eq!(0, search.prefix_len());
assert_eq!(None, search.query(&b'z'));
assert_eq!("", search.prefix::<String, _>());
assert_eq!(0, search.prefix_len());
assert_eq!(Answer::PrefixAndMatch, search.query(&b'a').unwrap());
assert_eq!("a", search.prefix::<String, _>());
assert_eq!(1, search.prefix_len());
assert_eq!(Answer::Prefix, search.query(&b'p').unwrap());
assert_eq!("ap", search.prefix::<String, _>());
assert_eq!(2, search.prefix_len());
assert_eq!(Answer::PrefixAndMatch, search.query(&b'p').unwrap());
assert_eq!("app", search.prefix::<String, _>());
assert_eq!(3, search.prefix_len());
assert_eq!(Answer::Prefix, search.query(&b'l').unwrap());
assert_eq!("appl", search.prefix::<String, _>());
assert_eq!(4, search.prefix_len());
assert_eq!(Answer::Match, search.query(&b'e').unwrap());
assert_eq!("apple", search.prefix::<String, _>());
assert_eq!(5, search.prefix_len());
}
#[test]
fn inc_search_value() {
let trie = build_trie();
let mut search = trie.inc_search();
assert_eq!("", search.prefix::<String, _>());
assert_eq!(None, search.query(&b'z'));
assert_eq!("", search.prefix::<String, _>());
assert_eq!(Answer::PrefixAndMatch, search.query(&b'a').unwrap());
assert_eq!("a", search.prefix::<String, _>());
assert_eq!(Answer::Prefix, search.query(&b'p').unwrap());
assert_eq!("ap", search.prefix::<String, _>());
assert_eq!(Answer::PrefixAndMatch, search.query(&b'p').unwrap());
assert_eq!("app", search.prefix::<String, _>());
assert_eq!(Answer::Prefix, search.query(&b'l').unwrap());
assert_eq!("appl", search.prefix::<String, _>());
assert_eq!(Answer::Match, search.query(&b'e').unwrap());
assert_eq!("apple", search.prefix::<String, _>());
assert_eq!(Some(&2), search.value());
}
#[test]
fn inc_search_query_until() {
let trie = build_trie();
let mut search = trie.inc_search();
assert_eq!(Err(0), search.query_until("zoo"));
assert_eq!("", search.prefix::<String, _>());
search.reset();
assert_eq!(Err(1), search.query_until("blue"));
assert_eq!("b", search.prefix::<String, _>());
search.reset();
assert_eq!(Answer::Match, search.query_until("apple").unwrap());
assert_eq!("apple", search.prefix::<String, _>());
assert_eq!(Some(&2), search.value());
}
#[test]
fn inc_search_goto_longest_prefix() {
let trie = build_trie();
let mut search = trie.inc_search();
assert_eq!(Err(0), search.goto_longest_prefix());
assert_eq!("", search.prefix::<String, _>());
search.reset();
assert_eq!(Ok(Answer::PrefixAndMatch), search.query_until("a"));
assert_eq!("a", search.prefix::<String, _>());
assert_eq!(Ok(2), search.goto_longest_prefix());
assert_eq!("app", search.prefix::<String, _>());
assert_eq!(Err(1), search.goto_longest_prefix());
assert_eq!("appl", search.prefix::<String, _>());
assert_eq!(Err(0), search.goto_longest_prefix());
assert_eq!(Ok(Answer::Prefix), search.query_until("i"));
assert_eq!(Ok(6), search.goto_longest_prefix());
assert_eq!(Ok(0), search.goto_longest_prefix());
assert_eq!("application", search.prefix::<String, _>());
search.reset();
assert_eq!(Answer::Match, search.query_until("apple").unwrap());
assert_eq!("apple", search.prefix::<String, _>());
assert_eq!(Some(&2), search.value());
}
// #[test]
// fn inc_serach_value_mut() {
// let trie = build_trie();
// let mut search = trie.inc_search();
// assert_eq!(None, search.query(b'z'));
// assert_eq!(Answer::PrefixAndMatch, search.query(b'a').unwrap());
// assert_eq!(Answer::Prefix, search.query(b'p').unwrap());
// assert_eq!(Answer::PrefixAndMatch, search.query(b'p').unwrap());
// assert_eq!(Answer::Prefix, search.query(b'l').unwrap());
// assert_eq!(Answer::Match, search.query(b'e').unwrap());
// let mut v = search.value_mut(&mut trie);
// assert_eq!(Some(&2), v.as_deref())
// }
}