MeiliSearch/meilisearch-http/src/index/search.rs

883 lines
28 KiB
Rust
Raw Normal View History

2021-06-13 12:00:38 +02:00
use std::collections::{BTreeMap, HashMap, HashSet, VecDeque};
2021-03-15 18:11:10 +01:00
use std::time::Instant;
2021-03-04 11:56:32 +01:00
use anyhow::bail;
2021-03-15 18:11:10 +01:00
use either::Either;
2021-03-04 11:56:32 +01:00
use heed::RoTxn;
2021-04-20 21:19:37 +02:00
use indexmap::IndexMap;
use itertools::Itertools;
2021-05-11 17:27:31 +02:00
use meilisearch_tokenizer::{Analyzer, AnalyzerConfig, Token};
2021-06-03 19:36:25 +02:00
use milli::{FilterCondition, FieldId, FieldsIdsMap, MatchingWords};
2021-03-15 18:11:10 +01:00
use serde::{Deserialize, Serialize};
2021-04-20 21:19:37 +02:00
use serde_json::Value;
2021-03-04 11:56:32 +01:00
use super::Index;
2021-04-20 21:19:37 +02:00
pub type Document = IndexMap<String, Value>;
2021-04-19 16:22:41 +02:00
2021-06-04 02:25:38 +02:00
pub const DEFAULT_SEARCH_LIMIT: usize = 20;
2021-03-04 11:56:32 +01:00
const fn default_search_limit() -> usize {
DEFAULT_SEARCH_LIMIT
}
pub const DEFAULT_CROP_LENGTH: usize = 200;
const fn default_crop_length() -> usize {
DEFAULT_CROP_LENGTH
}
2021-03-04 11:56:32 +01:00
#[derive(Deserialize)]
#[serde(rename_all = "camelCase", deny_unknown_fields)]
pub struct SearchQuery {
pub q: Option<String>,
pub offset: Option<usize>,
#[serde(default = "default_search_limit")]
pub limit: usize,
2021-04-19 16:22:41 +02:00
pub attributes_to_retrieve: Option<HashSet<String>>,
pub attributes_to_crop: Option<Vec<String>>,
#[serde(default = "default_crop_length")]
pub crop_length: usize,
2021-03-04 11:56:32 +01:00
pub attributes_to_highlight: Option<HashSet<String>>,
pub matches: Option<bool>,
pub filter: Option<Value>,
2021-03-04 11:56:32 +01:00
pub facet_distributions: Option<Vec<String>>,
}
2021-04-19 10:13:13 +02:00
#[derive(Debug, Clone, Serialize)]
pub struct SearchHit {
#[serde(flatten)]
2021-04-19 16:22:41 +02:00
pub document: Document,
2021-04-20 13:10:50 +02:00
#[serde(rename = "_formatted", skip_serializing_if = "Document::is_empty")]
2021-04-19 16:22:41 +02:00
pub formatted: Document,
2021-04-19 10:13:13 +02:00
}
2021-03-04 11:56:32 +01:00
#[derive(Serialize)]
#[serde(rename_all = "camelCase")]
pub struct SearchResult {
2021-04-19 10:13:13 +02:00
pub hits: Vec<SearchHit>,
2021-03-04 11:56:32 +01:00
pub nb_hits: u64,
pub exhaustive_nb_hits: bool,
2021-03-04 11:56:32 +01:00
pub query: String,
pub limit: usize,
pub offset: usize,
pub processing_time_ms: u128,
#[serde(skip_serializing_if = "Option::is_none")]
2021-06-03 19:36:25 +02:00
pub facet_distributions: Option<BTreeMap<String, BTreeMap<String, u64>>>,
2021-03-04 11:56:32 +01:00
}
2021-06-13 23:51:33 +02:00
#[derive(Copy, Clone)]
struct FormatOptions {
highlight: bool,
crop: Option<usize>,
}
2021-03-04 11:56:32 +01:00
impl Index {
pub fn perform_search(&self, query: SearchQuery) -> anyhow::Result<SearchResult> {
let before_search = Instant::now();
let rtxn = self.read_txn()?;
let mut search = self.search(&rtxn);
if let Some(ref query) = query.q {
search.query(query);
}
search.limit(query.limit);
search.offset(query.offset.unwrap_or_default());
if let Some(ref filter) = query.filter {
2021-06-15 16:25:16 +02:00
if let Some(facets) = parse_filter(filter, self, &rtxn)? {
2021-06-03 19:36:25 +02:00
search.filter(facets);
2021-03-04 11:56:32 +01:00
}
}
let milli::SearchResult {
documents_ids,
2021-03-11 19:40:18 +01:00
matching_words,
2021-03-04 11:56:32 +01:00
candidates,
..
} = search.execute()?;
let mut documents = Vec::new();
let fields_ids_map = self.fields_ids_map(&rtxn).unwrap();
2021-05-31 16:03:39 +02:00
let displayed_ids = self
.displayed_fields_ids(&rtxn)?
2021-04-20 16:21:30 +02:00
.map(|fields| fields.into_iter().collect::<HashSet<_>>())
.unwrap_or_else(|| fields_ids_map.iter().map(|(id, _)| id).collect());
2021-04-20 13:10:50 +02:00
2021-04-19 16:22:41 +02:00
let fids = |attrs: &HashSet<String>| {
2021-04-20 13:10:50 +02:00
let mut ids = HashSet::new();
for attr in attrs {
if attr == "*" {
ids = displayed_ids.clone();
break;
}
if let Some(id) = fields_ids_map.id(attr) {
2021-06-15 16:21:41 +02:00
ids.insert(id);
2021-04-20 13:10:50 +02:00
}
}
ids
2021-04-19 16:22:41 +02:00
};
2021-06-15 16:21:41 +02:00
// The attributes to retrieve are the ones explicitly marked as to retrieve (all by default),
// but these attributes must be also
// - present in the fields_ids_map
// - present in the the displayed attributes
let to_retrieve_ids: HashSet<_> = query
2021-04-19 16:22:41 +02:00
.attributes_to_retrieve
.as_ref()
.map(fids)
2021-06-15 16:21:41 +02:00
.unwrap_or_else(|| displayed_ids.clone())
2021-06-13 23:51:33 +02:00
.intersection(&displayed_ids)
.cloned()
2021-06-15 16:21:41 +02:00
.collect();
let to_retrieve_ids_sorted: Vec<_> = to_retrieve_ids
.clone()
.into_iter()
2021-06-13 23:51:33 +02:00
.sorted()
.collect();
2021-04-19 16:22:41 +02:00
2021-06-13 23:51:33 +02:00
let mut formatted_options = HashMap::new();
2021-06-15 16:21:41 +02:00
let attr_to_highlight = query
.attributes_to_highlight
.unwrap_or_default();
2021-06-13 23:51:33 +02:00
for attr in attr_to_highlight {
let new_format = FormatOptions {
highlight: true,
crop: None,
};
if attr == "*" {
let ids = displayed_ids.clone();
for id in ids {
formatted_options.insert(id, new_format);
}
break;
}
if let Some(id) = fields_ids_map.id(&attr) {
if displayed_ids.contains(&id) {
formatted_options.insert(id, new_format);
}
}
};
2021-06-15 16:21:41 +02:00
let attr_to_crop = query
.attributes_to_crop
.unwrap_or_default();
2021-06-13 23:51:33 +02:00
for attr in attr_to_crop {
let mut attr_name = attr.clone();
let mut attr_len = Some(query.crop_length);
if attr_name.contains(':') {
let mut split = attr_name.rsplit(':');
attr_len = match split.next() {
Some(s) => s.parse::<usize>().ok(),
None => None,
};
attr_name = split.flat_map(|s| s.chars()).collect();
}
if attr_name == "*" {
let ids = displayed_ids.clone();
for id in ids {
let mut highlight = false;
if let Some(f) = formatted_options.get(&id) {
highlight = f.highlight;
}
2021-06-13 23:51:33 +02:00
formatted_options.insert(id, FormatOptions {
2021-06-14 14:59:38 +02:00
highlight,
2021-06-13 23:51:33 +02:00
crop: attr_len,
});
}
}
2021-06-13 23:51:33 +02:00
if let Some(id) = fields_ids_map.id(&attr_name) {
if displayed_ids.contains(&id) {
let mut highlight = false;
if let Some(f) = formatted_options.get(&id) {
highlight = f.highlight;
}
2021-06-13 23:51:33 +02:00
formatted_options.insert(id, FormatOptions {
2021-06-14 14:59:38 +02:00
highlight,
2021-06-13 23:51:33 +02:00
crop: attr_len,
});
}
2021-06-13 23:51:33 +02:00
}
}
2021-04-19 16:22:41 +02:00
2021-06-15 16:21:41 +02:00
// All attributes present in `_formatted`:
// - attributes asked to be highlighted or cropped (with `attributesToCrop` or `attributesToHighlight`)
// - attributes asked to be retrieved: these attributes will not be formatted
let ids_in_formatted = formatted_options
2021-06-13 23:51:33 +02:00
.keys()
.cloned()
2021-06-15 16:21:41 +02:00
.collect::<HashSet<_>>()
2021-06-13 23:51:33 +02:00
.union(&to_retrieve_ids)
2021-04-19 16:22:41 +02:00
.cloned()
2021-04-20 21:19:37 +02:00
.sorted()
2021-06-13 23:51:33 +02:00
.collect::<Vec<_>>();
2021-03-04 11:56:32 +01:00
let stop_words = fst::Set::default();
let formatter =
2021-05-11 18:30:55 +02:00
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
2021-03-04 11:56:32 +01:00
for (_id, obkv) in self.documents(&rtxn, documents_ids)? {
2021-06-15 16:21:41 +02:00
let document = make_document(&to_retrieve_ids_sorted, &fields_ids_map, obkv)?;
2021-04-19 16:22:41 +02:00
let formatted = compute_formatted(
&fields_ids_map,
obkv,
&formatter,
2021-04-19 16:22:41 +02:00
&matching_words,
2021-06-13 23:51:33 +02:00
&ids_in_formatted,
&formatted_options,
2021-04-19 16:22:41 +02:00
)?;
2021-04-19 10:13:13 +02:00
let hit = SearchHit {
2021-04-19 16:22:41 +02:00
document,
formatted,
2021-04-19 10:13:13 +02:00
};
documents.push(hit);
2021-03-04 11:56:32 +01:00
}
let nb_hits = candidates.len();
let facet_distributions = match query.facet_distributions {
Some(ref fields) => {
let mut facet_distribution = self.facets_distribution(&rtxn);
if fields.iter().all(|f| f != "*") {
facet_distribution.facets(fields);
}
Some(facet_distribution.candidates(candidates).execute()?)
}
None => None,
};
let result = SearchResult {
exhaustive_nb_hits: false, // not implemented yet
2021-03-04 11:56:32 +01:00
hits: documents,
nb_hits,
query: query.q.clone().unwrap_or_default(),
limit: query.limit,
offset: query.offset.unwrap_or_default(),
processing_time_ms: before_search.elapsed().as_millis(),
facet_distributions,
};
Ok(result)
}
}
2021-04-20 21:19:37 +02:00
fn make_document(
attributes_to_retrieve: &[FieldId],
field_ids_map: &FieldsIdsMap,
obkv: obkv::KvReader,
) -> anyhow::Result<Document> {
let mut document = Document::new();
for attr in attributes_to_retrieve {
if let Some(value) = obkv.get(*attr) {
let value = serde_json::from_slice(value)?;
// This unwrap must be safe since we got the ids from the fields_ids_map just
// before.
let key = field_ids_map
.name(*attr)
.expect("Missing field name")
.to_string();
document.insert(key, value);
}
}
Ok(document)
}
2021-04-19 16:22:41 +02:00
fn compute_formatted<A: AsRef<[u8]>>(
field_ids_map: &FieldsIdsMap,
obkv: obkv::KvReader,
formatter: &Formatter<A>,
2021-04-19 19:03:53 +02:00
matching_words: &impl Matcher,
2021-06-14 14:59:38 +02:00
ids_in_formatted: &[FieldId],
2021-06-13 23:51:33 +02:00
formatted_options: &HashMap<FieldId, FormatOptions>,
2021-04-19 16:22:41 +02:00
) -> anyhow::Result<Document> {
let mut document = Document::new();
2021-06-14 14:59:38 +02:00
if !formatted_options.is_empty() {
2021-06-13 23:51:33 +02:00
for field in ids_in_formatted {
if let Some(value) = obkv.get(*field) {
let mut value: Value = serde_json::from_slice(value)?;
if let Some(format) = formatted_options.get(field) {
value = formatter.format_value(
value,
matching_words,
format.highlight,
format.crop,
);
}
2021-04-19 16:22:41 +02:00
2021-06-13 23:51:33 +02:00
// This unwrap must be safe since we got the ids from the fields_ids_map just
// before.
let key = field_ids_map
.name(*field)
.expect("Missing field name")
.to_string();
2021-04-19 16:22:41 +02:00
2021-06-13 23:51:33 +02:00
document.insert(key, value);
}
2021-04-19 16:22:41 +02:00
}
}
Ok(document)
}
/// trait to allow unit testing of `compute_formatted`
2021-04-19 19:03:53 +02:00
trait Matcher {
fn matches(&self, w: &str) -> Option<usize>;
2021-04-19 19:03:53 +02:00
}
#[cfg(test)]
impl Matcher for HashMap<&str, Option<usize>> {
fn matches(&self, w: &str) -> Option<usize> {
self.get(w).cloned().flatten()
2021-04-19 19:03:53 +02:00
}
}
impl Matcher for MatchingWords {
fn matches(&self, w: &str) -> Option<usize> {
self.matching_bytes(w)
2021-04-19 19:03:53 +02:00
}
}
2021-05-11 18:30:55 +02:00
struct Formatter<'a, A> {
2021-03-04 11:56:32 +01:00
analyzer: Analyzer<'a, A>,
2021-04-19 16:22:41 +02:00
marks: (String, String),
2021-03-04 11:56:32 +01:00
}
2021-05-11 18:30:55 +02:00
impl<'a, A: AsRef<[u8]>> Formatter<'a, A> {
2021-04-19 16:22:41 +02:00
pub fn new(stop_words: &'a fst::Set<A>, marks: (String, String)) -> Self {
let mut config = AnalyzerConfig::default();
config.stop_words(stop_words);
let analyzer = Analyzer::new(config);
2021-03-04 11:56:32 +01:00
2021-04-19 16:22:41 +02:00
Self { analyzer, marks }
2021-03-04 11:56:32 +01:00
}
2021-05-05 17:31:40 +02:00
fn format_value(
&self,
value: Value,
matcher: &impl Matcher,
need_to_highlight: bool,
2021-06-13 23:51:33 +02:00
need_to_crop: Option<usize>,
2021-05-11 18:30:55 +02:00
) -> Value {
2021-03-04 11:56:32 +01:00
match value {
Value::String(old_string) => {
2021-05-11 18:30:55 +02:00
let value =
2021-06-13 23:51:33 +02:00
self.format_string(old_string, matcher, need_to_highlight, need_to_crop);
2021-05-05 17:31:40 +02:00
Value::String(value)
2021-03-04 11:56:32 +01:00
}
Value::Array(values) => Value::Array(
values
2021-03-15 18:11:10 +01:00
.into_iter()
2021-06-13 23:51:33 +02:00
.map(|v| self.format_value(v, matcher, need_to_highlight, None))
2021-03-15 18:11:10 +01:00
.collect(),
2021-03-04 11:56:32 +01:00
),
Value::Object(object) => Value::Object(
object
2021-03-15 18:11:10 +01:00
.into_iter()
2021-06-13 23:51:33 +02:00
.map(|(k, v)| (k, self.format_value(v, matcher, need_to_highlight, None)))
2021-03-15 18:11:10 +01:00
.collect(),
2021-03-04 11:56:32 +01:00
),
2021-05-05 17:31:40 +02:00
value => value,
2021-03-04 11:56:32 +01:00
}
}
2021-06-13 11:53:29 +02:00
2021-05-11 18:30:55 +02:00
fn format_string(
&self,
s: String,
matcher: &impl Matcher,
need_to_highlight: bool,
2021-06-13 23:51:33 +02:00
need_to_crop: Option<usize>,
2021-05-11 18:30:55 +02:00
) -> String {
let analyzed = self.analyzer.analyze(&s);
2021-05-11 17:27:31 +02:00
2021-05-11 18:30:55 +02:00
let tokens: Box<dyn Iterator<Item = (&str, Token)>> = match need_to_crop {
2021-05-11 17:27:31 +02:00
Some(crop_len) => {
2021-05-11 18:30:55 +02:00
let mut buffer = VecDeque::new();
let mut tokens = analyzed.reconstruct().peekable();
let mut taken_before = 0;
while let Some((word, token)) = tokens.next_if(|(_, token)| !matcher.matches(token.text()).is_some()) {
2021-05-11 18:30:55 +02:00
buffer.push_back((word, token));
taken_before += word.chars().count();
while taken_before > crop_len {
2021-06-04 02:25:38 +02:00
// Around to the previous word
if let Some((word, _)) = buffer.front() {
if taken_before - word.chars().count() < crop_len {
break;
}
}
2021-05-11 18:30:55 +02:00
if let Some((word, _)) = buffer.pop_front() {
taken_before -= word.chars().count();
}
}
}
if let Some(token) = tokens.next() {
buffer.push_back(token);
}
let mut taken_after = 0;
let after_iter = tokens
2021-05-11 17:27:31 +02:00
.take_while(move |(word, _)| {
2021-06-04 02:25:38 +02:00
let take = taken_after < crop_len;
2021-05-11 18:30:55 +02:00
taken_after += word.chars().count();
2021-05-11 17:27:31 +02:00
take
});
2021-06-04 02:25:38 +02:00
2021-05-11 18:30:55 +02:00
let iter = buffer
.into_iter()
.chain(after_iter);
2021-05-11 17:27:31 +02:00
Box::new(iter)
2021-05-11 18:30:55 +02:00
}
2021-05-11 17:27:31 +02:00
None => Box::new(analyzed.reconstruct()),
2021-05-05 17:31:40 +02:00
};
2021-05-11 18:30:55 +02:00
tokens
.map(|(word, token)| {
if need_to_highlight && token.is_word() && matcher.matches(token.text()).is_some() {
2021-05-11 18:30:55 +02:00
let mut new_word = String::new();
new_word.push_str(&self.marks.0);
if let Some(match_len) = matcher.matches(token.text()) {
new_word.push_str(&word[..match_len]);
new_word.push_str(&self.marks.1);
new_word.push_str(&word[match_len..]);
}
2021-05-11 18:30:55 +02:00
new_word
} else {
word.to_string()
}
})
.collect::<String>()
2021-05-05 17:31:40 +02:00
}
2021-03-04 11:56:32 +01:00
}
2021-06-15 16:25:16 +02:00
fn parse_filter(
2021-03-04 11:56:32 +01:00
facets: &Value,
index: &Index,
txn: &RoTxn,
2021-06-03 19:36:25 +02:00
) -> anyhow::Result<Option<FilterCondition>> {
2021-03-04 11:56:32 +01:00
match facets {
2021-06-14 13:27:18 +02:00
Value::String(expr) => Ok(Some(FilterCondition::from_str(txn, index, expr)?)),
2021-06-15 16:25:16 +02:00
Value::Array(arr) => parse_filter_array(txn, index, arr),
2021-03-15 18:11:10 +01:00
v => bail!("Invalid facet expression, expected Array, found: {:?}", v),
2021-03-04 11:56:32 +01:00
}
}
2021-04-19 19:03:53 +02:00
2021-06-15 16:25:16 +02:00
fn parse_filter_array(
2021-05-04 18:22:48 +02:00
txn: &RoTxn,
index: &Index,
arr: &[Value],
2021-06-14 13:27:18 +02:00
) -> anyhow::Result<Option<FilterCondition>> {
2021-05-04 18:22:48 +02:00
let mut ands = Vec::new();
for value in arr {
match value {
Value::String(s) => ands.push(Either::Right(s.clone())),
Value::Array(arr) => {
let mut ors = Vec::new();
for value in arr {
match value {
Value::String(s) => ors.push(s.clone()),
v => bail!("Invalid facet expression, expected String, found: {:?}", v),
}
}
ands.push(Either::Left(ors));
}
v => bail!(
"Invalid facet expression, expected String or [String], found: {:?}",
v
),
}
}
2021-06-14 13:27:18 +02:00
FilterCondition::from_array(txn, &index.0, ands)
2021-05-04 18:22:48 +02:00
}
2021-04-19 19:03:53 +02:00
#[cfg(test)]
mod test {
use super::*;
#[test]
2021-06-13 23:51:33 +02:00
fn no_ids_no_formatted() {
2021-04-19 19:03:53 +02:00
let stop_words = fst::Set::default();
let formatter =
2021-05-11 18:30:55 +02:00
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
2021-04-19 19:03:53 +02:00
let mut fields = FieldsIdsMap::new();
let id = fields.insert("test").unwrap();
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
2021-05-31 16:03:39 +02:00
obkv.insert(id, Value::String("hello".into()).to_string().as_bytes())
.unwrap();
2021-04-19 19:03:53 +02:00
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
2021-06-13 23:51:33 +02:00
let ids_in_formatted = Vec::new();
let formatted_options = HashMap::new();
2021-04-19 19:03:53 +02:00
let matching_words = MatchingWords::default();
let value = compute_formatted(
&fields,
obkv,
&formatter,
2021-04-19 19:03:53 +02:00
&matching_words,
2021-06-13 23:51:33 +02:00
&ids_in_formatted,
&formatted_options,
2021-05-11 18:30:55 +02:00
)
.unwrap();
2021-04-19 19:03:53 +02:00
assert!(value.is_empty());
}
#[test]
2021-06-13 23:51:33 +02:00
fn no_formatted_with_ids() {
2021-04-19 19:03:53 +02:00
let stop_words = fst::Set::default();
let formatter =
2021-05-11 18:30:55 +02:00
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
2021-04-19 19:03:53 +02:00
let mut fields = FieldsIdsMap::new();
let id = fields.insert("test").unwrap();
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
2021-05-31 16:03:39 +02:00
obkv.insert(id, Value::String("hello".into()).to_string().as_bytes())
.unwrap();
2021-04-19 19:03:53 +02:00
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
2021-06-13 23:51:33 +02:00
let ids_in_formatted = vec![id];
let formatted_options = HashMap::new();
2021-04-19 19:03:53 +02:00
let matching_words = MatchingWords::default();
let value = compute_formatted(
&fields,
obkv,
&formatter,
2021-04-19 19:03:53 +02:00
&matching_words,
2021-06-13 23:51:33 +02:00
&ids_in_formatted,
&formatted_options,
2021-05-11 18:30:55 +02:00
)
.unwrap();
2021-04-19 19:03:53 +02:00
2021-06-13 23:51:33 +02:00
assert!(value.is_empty());
2021-04-19 19:03:53 +02:00
}
#[test]
fn formatted_with_highlight() {
let stop_words = fst::Set::default();
let formatter =
2021-05-11 18:30:55 +02:00
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
2021-04-19 19:03:53 +02:00
let mut fields = FieldsIdsMap::new();
2021-06-13 23:51:33 +02:00
let title = fields.insert("title").unwrap();
let author = fields.insert("author").unwrap();
2021-04-19 19:03:53 +02:00
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
2021-06-13 23:51:33 +02:00
obkv.insert(title, Value::String("The Hobbit".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(author, Value::String("J. R. R. Tolkien".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
let ids_in_formatted = vec![title, author];
let mut formatted_options = HashMap::new();
formatted_options.insert(title, FormatOptions { highlight: true, crop: None });
let mut matching_words = HashMap::new();
matching_words.insert("hobbit", Some(6));
2021-06-13 23:51:33 +02:00
let value = compute_formatted(
&fields,
obkv,
&formatter,
&matching_words,
&ids_in_formatted,
&formatted_options,
)
.unwrap();
assert_eq!(value["title"], "The <em>Hobbit</em>");
assert_eq!(value["author"], "J. R. R. Tolkien");
}
#[test]
fn formatted_with_highlight_in_word() {
let stop_words = fst::Set::default();
let formatter =
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
let mut fields = FieldsIdsMap::new();
let title = fields.insert("title").unwrap();
let author = fields.insert("author").unwrap();
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(title, Value::String("The Hobbit".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(author, Value::String("J. R. R. Tolkien".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
let ids_in_formatted = vec![title, author];
let mut formatted_options = HashMap::new();
formatted_options.insert(title, FormatOptions { highlight: true, crop: None });
let mut matching_words = HashMap::new();
matching_words.insert("hobbit", Some(3));
let value = compute_formatted(
&fields,
obkv,
&formatter,
&matching_words,
&ids_in_formatted,
&formatted_options,
)
.unwrap();
assert_eq!(value["title"], "The <em>Hob</em>bit");
assert_eq!(value["author"], "J. R. R. Tolkien");
}
2021-06-13 23:51:33 +02:00
#[test]
fn formatted_with_crop_2() {
let stop_words = fst::Set::default();
let formatter =
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
let mut fields = FieldsIdsMap::new();
let title = fields.insert("title").unwrap();
let author = fields.insert("author").unwrap();
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(title, Value::String("Harry Potter and the Half-Blood Prince".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(author, Value::String("J. K. Rowling".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
let ids_in_formatted = vec![title, author];
let mut formatted_options = HashMap::new();
formatted_options.insert(title, FormatOptions { highlight: false, crop: Some(2) });
let mut matching_words = HashMap::new();
matching_words.insert("potter", Some(6));
2021-06-13 23:51:33 +02:00
let value = compute_formatted(
&fields,
obkv,
&formatter,
&matching_words,
&ids_in_formatted,
&formatted_options,
)
.unwrap();
assert_eq!(value["title"], "Harry Potter and");
assert_eq!(value["author"], "J. K. Rowling");
}
#[test]
fn formatted_with_crop_10() {
let stop_words = fst::Set::default();
let formatter =
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
let mut fields = FieldsIdsMap::new();
let title = fields.insert("title").unwrap();
let author = fields.insert("author").unwrap();
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(title, Value::String("Harry Potter and the Half-Blood Prince".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(author, Value::String("J. K. Rowling".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
let ids_in_formatted = vec![title, author];
let mut formatted_options = HashMap::new();
formatted_options.insert(title, FormatOptions { highlight: false, crop: Some(10) });
let mut matching_words = HashMap::new();
matching_words.insert("potter", Some(6));
2021-06-13 23:51:33 +02:00
let value = compute_formatted(
&fields,
obkv,
&formatter,
&matching_words,
&ids_in_formatted,
&formatted_options,
)
.unwrap();
assert_eq!(value["title"], "Harry Potter and the Half");
assert_eq!(value["author"], "J. K. Rowling");
}
#[test]
fn formatted_with_crop_0() {
let stop_words = fst::Set::default();
let formatter =
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
let mut fields = FieldsIdsMap::new();
let title = fields.insert("title").unwrap();
let author = fields.insert("author").unwrap();
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(title, Value::String("Harry Potter and the Half-Blood Prince".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(author, Value::String("J. K. Rowling".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
let ids_in_formatted = vec![title, author];
let mut formatted_options = HashMap::new();
formatted_options.insert(title, FormatOptions { highlight: false, crop: Some(0) });
let mut matching_words = HashMap::new();
matching_words.insert("potter", Some(6));
2021-06-13 23:51:33 +02:00
let value = compute_formatted(
&fields,
obkv,
&formatter,
&matching_words,
&ids_in_formatted,
&formatted_options,
)
.unwrap();
assert_eq!(value["title"], "Potter");
assert_eq!(value["author"], "J. K. Rowling");
}
#[test]
fn formatted_with_crop_and_highlight() {
let stop_words = fst::Set::default();
let formatter =
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
let mut fields = FieldsIdsMap::new();
let title = fields.insert("title").unwrap();
let author = fields.insert("author").unwrap();
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(title, Value::String("Harry Potter and the Half-Blood Prince".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(author, Value::String("J. K. Rowling".into()).to_string().as_bytes())
2021-05-31 16:03:39 +02:00
.unwrap();
2021-04-19 19:03:53 +02:00
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
2021-06-13 23:51:33 +02:00
let ids_in_formatted = vec![title, author];
let mut formatted_options = HashMap::new();
formatted_options.insert(title, FormatOptions { highlight: true, crop: Some(1) });
2021-04-19 19:03:53 +02:00
let mut matching_words = HashMap::new();
matching_words.insert("and", Some(3));
2021-04-19 19:03:53 +02:00
let value = compute_formatted(
&fields,
obkv,
&formatter,
2021-04-19 19:03:53 +02:00
&matching_words,
2021-06-13 23:51:33 +02:00
&ids_in_formatted,
&formatted_options,
2021-05-11 18:30:55 +02:00
)
.unwrap();
2021-04-19 19:03:53 +02:00
2021-06-13 23:51:33 +02:00
assert_eq!(value["title"], " <em>and</em> ");
assert_eq!(value["author"], "J. K. Rowling");
2021-04-19 19:03:53 +02:00
}
#[test]
fn formatted_with_crop_and_highlight_in_word() {
let stop_words = fst::Set::default();
let formatter =
Formatter::new(&stop_words, (String::from("<em>"), String::from("</em>")));
let mut fields = FieldsIdsMap::new();
let title = fields.insert("title").unwrap();
let author = fields.insert("author").unwrap();
let mut buf = Vec::new();
let mut obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(title, Value::String("Harry Potter and the Half-Blood Prince".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
obkv = obkv::KvWriter::new(&mut buf);
obkv.insert(author, Value::String("J. K. Rowling".into()).to_string().as_bytes())
.unwrap();
obkv.finish().unwrap();
let obkv = obkv::KvReader::new(&buf);
let ids_in_formatted = vec![title, author];
let mut formatted_options = HashMap::new();
formatted_options.insert(title, FormatOptions { highlight: true, crop: Some(9) });
let mut matching_words = HashMap::new();
matching_words.insert("blood", Some(3));
let value = compute_formatted(
&fields,
obkv,
&formatter,
&matching_words,
&ids_in_formatted,
&formatted_options,
)
.unwrap();
assert_eq!(value["title"], "the Half-<em>Blo</em>od Prince");
assert_eq!(value["author"], "J. K. Rowling");
}
2021-04-19 19:03:53 +02:00
}