Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Added PhraseMatchQuery and MultiMatchQuery. #3727

Merged
merged 2 commits into from
Aug 11, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
23 changes: 21 additions & 2 deletions quickwit/quickwit-query/src/elastic_query_dsl/bool_query.rs
Original file line number Diff line number Diff line change
Expand Up @@ -17,7 +17,7 @@
// You should have received a copy of the GNU Affero General Public License
// along with this program. If not, see <http://www.gnu.org/licenses/>.

use serde::{Deserialize, Serialize};
use serde::Deserialize;
use serde_with::formats::PreferMany;
use serde_with::{serde_as, OneOrMany};

Expand All @@ -29,7 +29,7 @@ use crate::query_ast::{self, QueryAst};
/// - minimum_should_match
/// - named queries
#[serde_as]
#[derive(Serialize, Deserialize, Debug, PartialEq, Eq, Clone)]
#[derive(Deserialize, Debug, PartialEq, Eq, Clone)]
#[serde(deny_unknown_fields)]
pub struct BoolQuery {
#[serde_as(deserialize_as = "OneOrMany<_, PreferMany>")]
Expand All @@ -48,6 +48,19 @@ pub struct BoolQuery {
pub boost: Option<NotNaNf32>,
}

impl BoolQuery {
// Combines a list of children queries into a boolean union.
pub(crate) fn union(children: Vec<ElasticQueryDslInner>) -> BoolQuery {
BoolQuery {
must: Vec::new(),
must_not: Vec::new(),
should: children,
filter: Vec::new(),
boost: None,
}
}
}

fn convert_vec(query_dsls: Vec<ElasticQueryDslInner>) -> anyhow::Result<Vec<QueryAst>> {
query_dsls
.into_iter()
Expand All @@ -67,6 +80,12 @@ impl ConvertableToQueryAst for BoolQuery {
}
}

impl From<BoolQuery> for ElasticQueryDslInner {
fn from(bool_query: BoolQuery) -> Self {
ElasticQueryDslInner::Bool(bool_query)
}
}

#[cfg(test)]
mod tests {
use crate::elastic_query_dsl::bool_query::BoolQuery;
Expand Down
212 changes: 212 additions & 0 deletions quickwit/quickwit-query/src/elastic_query_dsl/match_phrase_query.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,212 @@
// Copyright (C) 2023 Quickwit, Inc.
//
// Quickwit is offered under the AGPL v3.0 and as commercial software.
// For commercial licensing, contact us at [email protected].
//
// AGPL:
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU Affero General Public License as
// published by the Free Software Foundation, either version 3 of the
// License, or (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU Affero General Public License for more details.
//
// You should have received a copy of the GNU Affero General Public License
// along with this program. If not, see <http://www.gnu.org/licenses/>.

use std::fmt;

use serde::de::{self, MapAccess, Visitor};
use serde::{Deserialize, Deserializer, Serialize};

use crate::elastic_query_dsl::ConvertableToQueryAst;
use crate::query_ast::{FullTextMode, FullTextParams, FullTextQuery, QueryAst};
use crate::{MatchAllOrNone, OneFieldMap};

/// `MatchQuery` as defined in
/// <https://www.elastic.co/guide/en/elasticsearch/reference/current/query-dsl-match-query.html>
#[derive(Serialize, Deserialize, Clone, Eq, PartialEq, Debug)]
#[serde(
from = "OneFieldMap<MatchPhraseQueryParamsForDeserialization>",
into = "OneFieldMap<MatchPhraseQueryParams>"
)]
pub(crate) struct MatchPhraseQuery {
pub(crate) field: String,
pub(crate) params: MatchPhraseQueryParams,
}

#[derive(Clone, Serialize, Deserialize, PartialEq, Eq, Debug)]
#[serde(deny_unknown_fields)]
pub struct MatchPhraseQueryParams {
query: String,
#[serde(default)]
zero_terms_query: MatchAllOrNone,
#[serde(default)]
analyzer: Option<String>,
#[serde(default)]
slop: u32,
}

impl ConvertableToQueryAst for MatchPhraseQuery {
fn convert_to_query_ast(self) -> anyhow::Result<QueryAst> {
let full_text_params = FullTextParams {
tokenizer: self.params.analyzer,
mode: FullTextMode::Phrase {
slop: self.params.slop,
},
zero_terms_query: self.params.zero_terms_query,
};
Ok(QueryAst::FullText(FullTextQuery {
field: self.field,
text: self.params.query,
params: full_text_params,
}))
}
}

// --------------
//
// Below is the Serialization/Deserialization code
// The difficulty here is to support the two following formats:
//
// `{"field": {"query": "my query", "default_operator": "OR"}}`
// `{"field": "my query"}`
//
// We don't use untagged enum to support this, in order to keep good errors.
//
// The code below is adapted from solution described here: https://serde.rs/string-or-struct.html

#[derive(Serialize, Deserialize)]
#[serde(transparent)]
struct MatchPhraseQueryParamsForDeserialization {
#[serde(deserialize_with = "string_or_struct")]
inner: MatchPhraseQueryParams,
}

impl From<MatchPhraseQuery> for OneFieldMap<MatchPhraseQueryParams> {
fn from(match_phrase_query: MatchPhraseQuery) -> OneFieldMap<MatchPhraseQueryParams> {
OneFieldMap {
field: match_phrase_query.field,
value: match_phrase_query.params,
}
}
}

impl From<OneFieldMap<MatchPhraseQueryParamsForDeserialization>> for MatchPhraseQuery {
fn from(match_query_params: OneFieldMap<MatchPhraseQueryParamsForDeserialization>) -> Self {
let OneFieldMap { field, value } = match_query_params;
MatchPhraseQuery {
field,
params: value.inner,
}
}
}

struct MatchQueryParamsStringOrStructVisitor;

impl<'de> Visitor<'de> for MatchQueryParamsStringOrStructVisitor {
type Value = MatchPhraseQueryParams;

fn expecting(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
formatter.write_str("string or map containing the parameters of a match query.")
}

fn visit_str<E>(self, query: &str) -> Result<Self::Value, E>
where E: serde::de::Error {
Ok(MatchPhraseQueryParams {
query: query.to_string(),
zero_terms_query: Default::default(),
analyzer: None,
slop: 0,
})
}

fn visit_map<M>(self, map: M) -> Result<MatchPhraseQueryParams, M::Error>
where M: MapAccess<'de> {
Deserialize::deserialize(de::value::MapAccessDeserializer::new(map))
}
}

fn string_or_struct<'de, D>(deserializer: D) -> Result<MatchPhraseQueryParams, D::Error>
where D: Deserializer<'de> {
deserializer.deserialize_any(MatchQueryParamsStringOrStructVisitor)
}

#[cfg(test)]
mod tests {
use super::*;

#[test]
fn test_deserialize_match_query_string() {
// We accept a single string
let match_query: MatchPhraseQuery =
serde_json::from_str(r#"{"my_field": "my_query"}"#).unwrap();
assert_eq!(match_query.field, "my_field");
assert_eq!(&match_query.params.query, "my_query");
assert_eq!(match_query.params.slop, 0u32);
assert!(match_query.params.analyzer.is_none());
assert_eq!(
match_query.params.zero_terms_query,
MatchAllOrNone::MatchNone
);
}

#[test]
fn test_deserialize_match_query_struct() {
// We accept a struct too.
let match_query: MatchPhraseQuery = serde_json::from_str(
r#"
{"my_field":
{
"query": "my_query",
"slop": 1
}
}
"#,
)
.unwrap();
assert_eq!(match_query.field, "my_field");
assert_eq!(&match_query.params.query, "my_query");
assert_eq!(match_query.params.slop, 1u32);
}

#[test]
fn test_deserialize_match_query_nice_errors() {
let deser_error = serde_json::from_str::<MatchPhraseQuery>(
r#"{"my_field": {"query": "my_query", "wrong_param": 2}}"#,
)
.unwrap_err();
assert!(deser_error
.to_string()
.contains("unknown field `wrong_param`"));
}

#[test]
fn test_match_query() {
let match_query = MatchPhraseQuery {
field: "body".to_string(),
params: MatchPhraseQueryParams {
analyzer: Some("whitespace".to_string()),
query: "hello".to_string(),
slop: 2u32,
zero_terms_query: crate::MatchAllOrNone::MatchAll,
},
};
let ast = match_query.convert_to_query_ast().unwrap();
let QueryAst::FullText(FullTextQuery {
field,
text,
params,
}) = ast
else {
panic!()
};
assert_eq!(field, "body");
assert_eq!(text, "hello");
assert_eq!(params.mode, FullTextMode::Phrase { slop: 2u32 });
assert_eq!(params.zero_terms_query, MatchAllOrNone::MatchAll);
}
}
27 changes: 15 additions & 12 deletions quickwit/quickwit-query/src/elastic_query_dsl/match_query.rs
Original file line number Diff line number Diff line change
Expand Up @@ -22,7 +22,7 @@ use std::fmt;
use serde::de::{self, MapAccess, Visitor};
use serde::{Deserialize, Deserializer, Serialize};

use crate::elastic_query_dsl::ConvertableToQueryAst;
use crate::elastic_query_dsl::{ConvertableToQueryAst, ElasticQueryDslInner};
use crate::query_ast::{FullTextParams, FullTextQuery, QueryAst};
use crate::{BooleanOperand, MatchAllOrNone, OneFieldMap};

Expand All @@ -34,18 +34,18 @@ use crate::{BooleanOperand, MatchAllOrNone, OneFieldMap};
into = "OneFieldMap<MatchQueryParams>"
)]
pub struct MatchQuery {
field: String,
params: MatchQueryParams,
pub(crate) field: String,
pub(crate) params: MatchQueryParams,
}

#[derive(Clone, Serialize, Deserialize, PartialEq, Eq, Debug)]
#[serde(deny_unknown_fields)]
struct MatchQueryParams {
query: String,
pub(crate) struct MatchQueryParams {
pub(crate) query: String,
#[serde(default)]
operator: BooleanOperand,
pub(crate) operator: BooleanOperand,
#[serde(default)]
zero_terms_query: MatchAllOrNone,
pub(crate) zero_terms_query: MatchAllOrNone,
}

impl ConvertableToQueryAst for MatchQuery {
Expand All @@ -63,6 +63,12 @@ impl ConvertableToQueryAst for MatchQuery {
}
}

impl From<MatchQuery> for ElasticQueryDslInner {
fn from(match_query: MatchQuery) -> Self {
ElasticQueryDslInner::Match(match_query)
}
}

// --------------
//
// Below is the Serialization/Deserialization code
Expand Down Expand Up @@ -132,11 +138,8 @@ where D: Deserializer<'de> {

#[cfg(test)]
mod tests {
use super::MatchQueryParams;
use crate::elastic_query_dsl::match_query::MatchQuery;
use crate::elastic_query_dsl::ConvertableToQueryAst;
use crate::query_ast::{FullTextMode, FullTextQuery, QueryAst};
use crate::{BooleanOperand, MatchAllOrNone};
use super::*;
use crate::query_ast::FullTextMode;

#[test]
fn test_deserialize_match_query_string() {
Expand Down
Loading