enhance error handling

This commit is contained in:
刘瀚骋 2021-09-16 17:56:18 +08:00
parent 8748df2ca4
commit 50ad750ec1
2 changed files with 127 additions and 123 deletions

View File

@ -64,6 +64,7 @@ pub enum UserError {
InvalidGeoField { document_id: Value, object: Value }, InvalidGeoField { document_id: Value, object: Value },
InvalidFilterAttributeNom, InvalidFilterAttributeNom,
InvalidFilterValue, InvalidFilterValue,
InvalidFilterNom { input: String },
InvalidSortName { name: String }, InvalidSortName { name: String },
InvalidSortableAttribute { field: String, valid_fields: HashSet<String> }, InvalidSortableAttribute { field: String, valid_fields: HashSet<String> },
SortRankingRuleMissing, SortRankingRuleMissing,
@ -85,11 +86,6 @@ impl From<io::Error> for Error {
Error::IoError(error) Error::IoError(error)
} }
} }
impl From<std::num::ParseFloatError> for UserError {
fn from(_: std::num::ParseFloatError) -> UserError {
UserError::InvalidFilterValue
}
}
impl From<fst::Error> for Error { impl From<fst::Error> for Error {
fn from(error: fst::Error) -> Error { fn from(error: fst::Error) -> Error {
@ -217,8 +213,7 @@ impl fmt::Display for UserError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self { match self {
//TODO //TODO
Self::InvalidFilterAttributeNom => f.write_str("parser error "), Self::InvalidFilterNom { input } => write!(f, "parser error {}", input),
Self::InvalidFilterValue => f.write_str("parser error "),
Self::AttributeLimitReached => f.write_str("maximum number of attributes reached"), Self::AttributeLimitReached => f.write_str("maximum number of attributes reached"),
Self::CriterionError(error) => write!(f, "{}", error), Self::CriterionError(error) => write!(f, "{}", error),
Self::DocumentLimitReached => f.write_str("maximum number of documents reached"), Self::DocumentLimitReached => f.write_str("maximum number of documents reached"),

View File

@ -4,7 +4,6 @@ use std::ops::Bound::{self, Excluded, Included};
use std::result::Result as StdResult; use std::result::Result as StdResult;
use std::str::FromStr; use std::str::FromStr;
use crate::error::UserError as IError;
use either::Either; use either::Either;
use heed::types::DecodeIgnore; use heed::types::DecodeIgnore;
use itertools::Itertools; use itertools::Itertools;
@ -19,7 +18,9 @@ use nom::{
bytes::complete::{tag, take_while1}, bytes::complete::{tag, take_while1},
character::complete::{char, multispace0}, character::complete::{char, multispace0},
combinator::map, combinator::map,
error::ErrorKind,
error::ParseError, error::ParseError,
error::VerboseError,
multi::many0, multi::many0,
sequence::{delimited, preceded, tuple}, sequence::{delimited, preceded, tuple},
IResult, IResult,
@ -29,7 +30,7 @@ use self::FilterCondition::*;
use self::Operator::*; use self::Operator::*;
use super::parser::{FilterParser, Rule, PREC_CLIMBER}; use super::parser::{FilterParser, Rule, PREC_CLIMBER};
use super::FacetNumberRange; use super::FacetNumberRange;
use crate::error::UserError; use crate::error::{Error, UserError};
use crate::heed_codec::facet::{ use crate::heed_codec::facet::{
FacetLevelValueF64Codec, FacetStringLevelZeroCodec, FacetStringLevelZeroValueCodec, FacetLevelValueF64Codec, FacetStringLevelZeroCodec, FacetStringLevelZeroValueCodec,
}; };
@ -83,7 +84,10 @@ struct ParseContext<'a> {
// impl From<std::> // impl From<std::>
impl<'a> ParseContext<'a> { impl<'a> ParseContext<'a> {
fn parse_or_nom(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition> { fn parse_or_nom<E>(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition, E>
where
E: ParseError<&'a str>,
{
let (input, lhs) = self.parse_and_nom(input)?; let (input, lhs) = self.parse_and_nom(input)?;
let (input, ors) = many0(preceded(tag("OR"), |c| Self::parse_or_nom(self, c)))(input)?; let (input, ors) = many0(preceded(tag("OR"), |c| Self::parse_or_nom(self, c)))(input)?;
let expr = ors let expr = ors
@ -91,7 +95,11 @@ impl<'a> ParseContext<'a> {
.fold(lhs, |acc, branch| FilterCondition::Or(Box::new(acc), Box::new(branch))); .fold(lhs, |acc, branch| FilterCondition::Or(Box::new(acc), Box::new(branch)));
Ok((input, expr)) Ok((input, expr))
} }
fn parse_and_nom(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition> {
fn parse_and_nom<E>(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition, E>
where
E: ParseError<&'a str>,
{
let (input, lhs) = self.parse_not_nom(input)?; let (input, lhs) = self.parse_not_nom(input)?;
let (input, ors) = many0(preceded(tag("AND"), |c| Self::parse_and_nom(self, c)))(input)?; let (input, ors) = many0(preceded(tag("AND"), |c| Self::parse_and_nom(self, c)))(input)?;
let expr = ors let expr = ors
@ -100,119 +108,146 @@ impl<'a> ParseContext<'a> {
Ok((input, expr)) Ok((input, expr))
} }
fn parse_not_nom(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition> { fn parse_not_nom<E>(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition, E>
let r = alt(( where
E: ParseError<&'a str>,
{
alt((
map( map(
preceded(alt((Self::ws(tag("!")), Self::ws(tag("NOT")))), |c| { preceded(alt((self.ws(tag("!")), self.ws(tag("NOT")))), |c| {
Self::parse_condition_expression(self, c) Self::parse_condition_expression(self, c)
}), }),
|e| e.negate(), |e| e.negate(),
), ),
|c| Self::parse_condition_expression(self, c), |c| Self::parse_condition_expression(self, c),
))(input); ))(input)
return r;
} }
fn ws<'b, F: 'b, O, E: ParseError<&'b str>>( fn ws<F, O, E>(&'a self, inner: F) -> impl FnMut(&'a str) -> IResult<&'a str, O, E>
inner: F,
) -> impl FnMut(&'b str) -> IResult<&'b str, O, E>
where where
F: Fn(&'b str) -> IResult<&'b str, O, E>, F: Fn(&'a str) -> IResult<&'a str, O, E>,
E: ParseError<&'a str>,
{ {
delimited(multispace0, inner, multispace0) delimited(multispace0, inner, multispace0)
} }
fn parse_simple_condition( fn parse_simple_condition<E>(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition, E>
&self, where
input: &'a str, E: ParseError<&'a str>,
) -> StdResult<(&'a str, FilterCondition), UserError> { {
let operator = alt((tag(">"), tag(">="), tag("="), tag("<"), tag("!="), tag("<="))); let operator = alt((tag(">"), tag(">="), tag("="), tag("<"), tag("!="), tag("<=")));
let (input, (key, op, value)) = let (input, (key, op, value)) =
match tuple((Self::ws(Self::parse_key), operator, Self::ws(Self::parse_key)))(input) { tuple((self.ws(|c| self.parse_key(c)), operator, self.ws(|c| self.parse_key(c))))(
Ok((input, (key, op, value))) => (input, (key, op, value)), input,
Err(_) => return Err(UserError::InvalidFilterAttributeNom), )?;
}; let fid = self.parse_fid(input, key)?;
let r: StdResult<f64, nom::Err<VerboseError<&str>>> = self.parse_numeric(value);
let fid = match field_id_by_key(self.fields_ids_map, self.filterable_fields, key)? {
Some(fid) => fid,
None => return Err(UserError::InvalidFilterAttributeNom),
};
let r = nom_parse::<f64>(value);
let k = match op { let k = match op {
">" => Operator(fid, GreaterThan(value.parse::<f64>()?)), "=" => Operator(fid, Equal(r.ok(), value.to_string().to_lowercase())),
"<" => Operator(fid, LowerThan(value.parse::<f64>()?)), "!=" => Operator(fid, NotEqual(r.ok(), value.to_string().to_lowercase())),
"<=" => Operator(fid, LowerThanOrEqual(value.parse::<f64>()?)), ">" | "<" | "<=" | ">=" => {
">=" => Operator(fid, GreaterThanOrEqual(value.parse::<f64>()?)), return self.parse_numeric_unary_condition(input, fid, value)
"=" => Operator(fid, Equal(r.0.ok(), value.to_string().to_lowercase())), }
"!=" => Operator(fid, NotEqual(r.0.ok(), value.to_string().to_lowercase())),
_ => unreachable!(), _ => unreachable!(),
}; };
Ok((input, k)) Ok((input, k))
} }
fn parse_range_condition( fn parse_numeric<E, T>(&'a self, input: &'a str) -> StdResult<T, nom::Err<E>>
where
E: ParseError<&'a str>,
T: std::str::FromStr,
{
match input.parse::<T>() {
Ok(n) => Ok(n),
Err(_) => {
return match input.chars().nth(0) {
Some(ch) => Err(nom::Err::Failure(E::from_char(input, ch))),
None => Err(nom::Err::Failure(E::from_error_kind(input, ErrorKind::Eof))),
};
}
}
}
fn parse_numeric_unary_condition<E>(
&'a self, &'a self,
input: &'a str, input: &'a str,
) -> StdResult<(&str, FilterCondition), UserError> { fid: u16,
let (input, (key, from, _, to)) = match tuple(( value: &'a str,
Self::ws(Self::parse_key), ) -> IResult<&'a str, FilterCondition, E>
Self::ws(Self::parse_key), where
tag("TO"), E: ParseError<&'a str>,
Self::ws(Self::parse_key),
))(input)
{ {
Ok((input, (key, from, tag, to))) => (input, (key, from, tag, to)), let numeric: f64 = self.parse_numeric(value)?;
Err(_) => return Err(UserError::InvalidFilterAttributeNom), let k = match input {
">" => Operator(fid, GreaterThan(numeric)),
"<" => Operator(fid, LowerThan(numeric)),
"<=" => Operator(fid, LowerThanOrEqual(numeric)),
">=" => Operator(fid, GreaterThanOrEqual(numeric)),
_ => unreachable!(),
}; };
let fid = match field_id_by_key(self.fields_ids_map, self.filterable_fields, key)? { Ok((input, k))
Some(fid) => fid, }
None => return Err(UserError::InvalidFilterAttributeNom),
fn parse_fid<E>(&'a self, input: &'a str, key: &'a str) -> StdResult<FieldId, nom::Err<E>>
where
E: ParseError<&'a str>,
{
let error = match input.chars().nth(0) {
Some(ch) => Err(nom::Err::Failure(E::from_char(input, ch))),
None => Err(nom::Err::Failure(E::from_error_kind(input, ErrorKind::Eof))),
}; };
let res = Operator(fid, Between(from.parse::<f64>()?, to.parse::<f64>()?)); if !self.filterable_fields.contains(key) {
return error;
}
match self.fields_ids_map.id(key) {
Some(fid) => Ok(fid),
None => error,
}
}
fn parse_range_condition<E>(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition, E>
where
E: ParseError<&'a str>,
{
let (input, (key, from, _, to)) = tuple((
self.ws(|c| self.parse_key(c)),
self.ws(|c| self.parse_key(c)),
tag("TO"),
self.ws(|c| self.parse_key(c)),
))(input)?;
let fid = self.parse_fid(input, key)?;
let numeric_from: f64 = self.parse_numeric(from)?;
let numeric_to: f64 = self.parse_numeric(to)?;
let res = Operator(fid, Between(numeric_from, numeric_to));
Ok((input, res)) Ok((input, res))
} }
fn parse_condition(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition> { fn parse_condition<E>(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition, E>
let l1 = |c| self.wrap(|c| self.parse_simple_condition(c), c); where
let l2 = |c| self.wrap(|c| self.parse_range_condition(c), c); E: ParseError<&'a str>,
let (input, condition) = match alt((l1, l2))(input) { {
Ok((i, c)) => (i, c), let l1 = |c| self.parse_simple_condition(c);
Err(_) => { let l2 = |c| self.parse_range_condition(c);
return Err(nom::Err::Error(nom::error::Error::from_error_kind( let (input, condition) = alt((l1, l2))(input)?;
"foo",
nom::error::ErrorKind::Fail,
)))
}
};
Ok((input, condition)) Ok((input, condition))
} }
fn wrap<F, E>(&'a self, inner: F, input: &'a str) -> IResult<&'a str, FilterCondition>
where
F: Fn(&'a str) -> StdResult<(&'a str, FilterCondition), E>,
{
match inner(input) {
Ok(e) => Ok(e),
Err(_) => {
return Err(nom::Err::Error(nom::error::Error::from_error_kind(
"foo",
nom::error::ErrorKind::Fail,
)))
}
}
}
fn parse_condition_expression(&'a self, input: &'a str) -> IResult<&str, FilterCondition> { fn parse_condition_expression<E>(&'a self, input: &'a str) -> IResult<&str, FilterCondition, E>
where
E: ParseError<&'a str>,
{
return alt(( return alt((
delimited( delimited(self.ws(char('(')), |c| Self::parse_expression(self, c), self.ws(char(')'))),
Self::ws(char('(')),
|c| Self::parse_expression(self, c),
Self::ws(char(')')),
),
|c| Self::parse_condition(self, c), |c| Self::parse_condition(self, c),
))(input); ))(input);
} }
fn parse_key(input: &str) -> IResult<&str, &str> { fn parse_key<E>(&'a self, input: &'a str) -> IResult<&'a str, &'a str, E>
where
E: ParseError<&'a str>,
{
let key = |input| take_while1(Self::is_key_component)(input); let key = |input| take_while1(Self::is_key_component)(input);
alt((key, delimited(char('"'), key, char('"'))))(input) alt((key, delimited(char('"'), key, char('"'))))(input)
} }
@ -220,7 +255,10 @@ impl<'a> ParseContext<'a> {
c.is_alphanumeric() || ['_', '-', '.'].contains(&c) c.is_alphanumeric() || ['_', '-', '.'].contains(&c)
} }
pub fn parse_expression(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition> { pub fn parse_expression<E>(&'a self, input: &'a str) -> IResult<&'a str, FilterCondition, E>
where
E: ParseError<&'a str>,
{
self.parse_or_nom(input) self.parse_or_nom(input)
} }
} }
@ -280,12 +318,9 @@ impl FilterCondition {
let filterable_fields = index.filterable_fields(rtxn)?; let filterable_fields = index.filterable_fields(rtxn)?;
let ctx = let ctx =
ParseContext { fields_ids_map: &fields_ids_map, filterable_fields: &filterable_fields }; ParseContext { fields_ids_map: &fields_ids_map, filterable_fields: &filterable_fields };
match ctx.parse_expression(expression) { match ctx.parse_expression::<VerboseError<&str>>(expression) {
Ok((_, fc)) => Ok(fc), Ok((_, fc)) => Ok(fc),
Err(e) => { Err(e) => Err(Error::UserError(UserError::InvalidFilterNom { input: e.to_string() })),
println!("{:?}", e);
unreachable!()
}
} }
} }
} }
@ -812,19 +847,6 @@ impl FilterCondition {
} }
} }
fn field_id_by_key(
fields_ids_map: &FieldsIdsMap,
filterable_fields: &HashSet<String>,
key: &str,
) -> StdResult<Option<FieldId>, IError> {
// lexing ensures that we at least have a key
if !filterable_fields.contains(key) {
return StdResult::Err(UserError::InvalidFilterAttributeNom);
}
Ok(fields_ids_map.id(key))
}
/// Retrieve the field id base on the pest value. /// Retrieve the field id base on the pest value.
/// ///
/// Returns an error if the given value is not filterable. /// Returns an error if the given value is not filterable.
@ -879,19 +901,6 @@ fn field_id(
Ok(fields_ids_map.id(key.as_str())) Ok(fields_ids_map.id(key.as_str()))
} }
fn nom_parse<T>(input: &str) -> (StdResult<T, UserError>, String)
where
T: FromStr,
T::Err: ToString,
{
let result = match input.parse::<T>() {
Ok(value) => Ok(value),
Err(e) => Err(UserError::InvalidFilterValue),
};
(result, input.to_string())
}
/// Tries to parse the pest pair into the type `T` specified, always returns /// Tries to parse the pest pair into the type `T` specified, always returns
/// the original string that we tried to parse. /// the original string that we tried to parse.
/// ///