meilisearch/src/lib.rs

161 lines
6.6 KiB
Rust
Raw Normal View History

mod query_tokens;
2020-06-04 20:25:51 +02:00
use std::borrow::Cow;
2020-05-31 16:09:34 +02:00
use std::collections::HashMap;
use std::hash::BuildHasherDefault;
2020-05-31 17:48:13 +02:00
use std::time::Instant;
2020-05-31 16:09:34 +02:00
2020-05-31 17:48:13 +02:00
use cow_utils::CowUtils;
use fst::{IntoStreamer, Streamer};
2020-05-31 16:09:34 +02:00
use fxhash::FxHasher32;
2020-05-31 17:48:13 +02:00
use heed::types::*;
use heed::{PolyDatabase, Database};
use levenshtein_automata::LevenshteinAutomatonBuilder as LevBuilder;
use once_cell::sync::Lazy;
2020-05-31 17:48:13 +02:00
use roaring::RoaringBitmap;
2020-06-04 20:25:51 +02:00
use self::query_tokens::{QueryTokens, QueryToken};
2020-05-31 16:09:34 +02:00
// Building these factories is not free.
static LEVDIST0: Lazy<LevBuilder> = Lazy::new(|| LevBuilder::new(0, true));
static LEVDIST1: Lazy<LevBuilder> = Lazy::new(|| LevBuilder::new(1, true));
static LEVDIST2: Lazy<LevBuilder> = Lazy::new(|| LevBuilder::new(2, true));
2020-05-31 16:09:34 +02:00
pub type FastMap4<K, V> = HashMap<K, V, BuildHasherDefault<FxHasher32>>;
pub type SmallString32 = smallstr::SmallString<[u8; 32]>;
pub type SmallVec32 = smallvec::SmallVec<[u8; 32]>;
pub type BEU32 = heed::zerocopy::U32<heed::byteorder::BE>;
pub type DocumentId = u32;
pub type AttributeId = u32;
2020-05-31 16:09:34 +02:00
2020-05-31 17:48:13 +02:00
#[derive(Clone)]
pub struct Index {
pub main: PolyDatabase,
pub postings_attrs: Database<Str, ByteSlice>,
pub postings_ids: Database<ByteSlice, ByteSlice>,
pub prefix_postings_ids: Database<ByteSlice, ByteSlice>,
2020-05-31 17:48:13 +02:00
pub documents: Database<OwnedType<BEU32>, ByteSlice>,
}
impl Index {
pub fn new(env: &heed::Env) -> heed::Result<Index> {
let main = env.create_poly_database(None)?;
let postings_attrs = env.create_database(Some("postings-attrs"))?;
2020-05-31 17:48:13 +02:00
let postings_ids = env.create_database(Some("postings-ids"))?;
let prefix_postings_ids = env.create_database(Some("prefix-postings-ids"))?;
2020-05-31 17:48:13 +02:00
let documents = env.create_database(Some("documents"))?;
Ok(Index { main, postings_attrs, postings_ids, prefix_postings_ids, documents })
2020-05-31 17:48:13 +02:00
}
pub fn headers<'t>(&self, rtxn: &'t heed::RoTxn) -> heed::Result<Option<&'t [u8]>> {
self.main.get::<_, Str, ByteSlice>(rtxn, "headers")
}
pub fn search(&self, rtxn: &heed::RoTxn, query: &str) -> anyhow::Result<Vec<DocumentId>> {
let fst = match self.main.get::<_, Str, ByteSlice>(rtxn, "words-fst")? {
Some(bytes) => fst::Set::new(bytes)?,
None => return Ok(Vec::new()),
};
let (lev0, lev1, lev2) = (&LEVDIST0, &LEVDIST1, &LEVDIST2);
2020-05-31 17:48:13 +02:00
let words: Vec<_> = QueryTokens::new(query).collect();
let ends_with_whitespace = query.chars().last().map_or(false, char::is_whitespace);
2020-05-31 17:48:13 +02:00
let number_of_words = words.len();
let dfas: Vec<_> = words.into_iter().enumerate().map(|(i, word)| {
2020-06-04 20:25:51 +02:00
let (word, quoted) = match word {
QueryToken::Free(word) => (word.cow_to_lowercase(), false),
QueryToken::Quoted(word) => (Cow::Borrowed(word), true),
2020-06-04 20:25:51 +02:00
};
2020-05-31 17:48:13 +02:00
let is_last = i + 1 == number_of_words;
2020-06-04 20:25:51 +02:00
let is_prefix = is_last && !ends_with_whitespace && !quoted;
let lev = match word.len() {
0..=4 => if quoted { lev0 } else { lev0 },
5..=8 => if quoted { lev0 } else { lev1 },
_ => if quoted { lev0 } else { lev2 },
2020-05-31 17:48:13 +02:00
};
let dfa = if is_prefix {
lev.build_prefix_dfa(&word)
} else {
lev.build_dfa(&word)
};
(word, is_prefix, dfa)
})
.collect();
let mut intersect_attrs: Option<RoaringBitmap> = None;
for (_word, _is_prefix, dfa) in &dfas {
2020-05-31 17:48:13 +02:00
let mut union_result = RoaringBitmap::default();
let mut stream = fst.search(dfa).into_stream();
while let Some(word) = stream.next() {
let word = std::str::from_utf8(word)?;
if let Some(attrs) = self.postings_attrs.get(rtxn, word)? {
let right = RoaringBitmap::deserialize_from(attrs)?;
union_result.union_with(&right);
}
}
match &mut intersect_attrs {
Some(left) => left.intersect_with(&union_result),
None => intersect_attrs = Some(union_result),
}
}
eprintln!("we should only look for documents with attrs {:?}", intersect_attrs);
let mut intersect_docids: Option<RoaringBitmap> = None;
// TODO would be faster to store and use the words
// seen in the previous attrs loop
for (word, is_prefix, dfa) in &dfas {
let mut union_result = RoaringBitmap::default();
for attr in intersect_attrs.as_ref().unwrap_or(&RoaringBitmap::default()) {
let before = Instant::now();
2020-06-01 17:52:43 +02:00
let mut count = 0;
if word.len() <= 4 && *is_prefix {
let mut key = word.as_bytes()[..word.len().min(5)].to_vec();
key.extend_from_slice(&attr.to_be_bytes());
if let Some(ids) = self.prefix_postings_ids.get(rtxn, &key)? {
let right = RoaringBitmap::deserialize_from(ids)?;
union_result.union_with(&right);
count = 1;
}
} else {
let mut stream = fst.search(dfa).into_stream();
while let Some(word) = stream.next() {
count += 1;
let word = std::str::from_utf8(word)?;
let mut key = word.as_bytes().to_vec();
key.extend_from_slice(&attr.to_be_bytes());
if let Some(ids) = self.postings_ids.get(rtxn, &key)? {
let right = RoaringBitmap::deserialize_from(ids)?;
union_result.union_with(&right);
}
}
2020-05-31 17:48:13 +02:00
}
eprintln!("with {:?} similar words (for attr {}) union for {:?} gives {:?} took {:.02?}",
count, attr, word, union_result.len(), before.elapsed());
}
match &mut intersect_docids {
2020-06-04 19:13:28 +02:00
Some(left) => {
2020-05-31 17:48:13 +02:00
let before = Instant::now();
let left_len = left.len();
left.intersect_with(&union_result);
2020-06-01 17:52:43 +02:00
eprintln!("intersect between {:?} and {:?} gives {:?} took {:.02?}",
left_len, union_result.len(), left.len(), before.elapsed());
2020-05-31 17:48:13 +02:00
},
None => intersect_docids = Some(union_result),
2020-06-04 19:13:28 +02:00
}
2020-05-31 17:48:13 +02:00
}
eprintln!("{} candidates", intersect_docids.as_ref().map_or(0, |r| r.len()));
2020-06-01 17:52:43 +02:00
Ok(intersect_docids.unwrap_or_default().iter().take(20).collect())
2020-05-31 17:48:13 +02:00
}
}