summaryrefslogtreecommitdiffstats
path: root/src/parser/mod.rs
blob: 7ab2af40756fcdcdc8a7ecd7c5ec39ee8972eafb (plain)
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
//! The definition of the "kairos" syntax, for parsing user input into TimeType objects
//!
//! The syntax itself is described in the grammar.rustpeg file.
//! Here goes a documentation on the syntax
//!
//! # Syntax
//!
//! ## Units
//!
//! UnitSec   = "second" | "seconds" | "sec" | "secs" | "s"
//! UnitMin   = "minute" | "minutes" | "min" | "mins"
//! UnitHr    = "hour"   | "hours"   | "hr" | "hrs"
//! UnitDay   = "day"    | "days"    | "d"
//! UnitWeek  = "week"   | "weeks"   | "w"
//! UnitMonth = "month"  | "months"  |
//! UnitYear  = "year"   | "years"   | "yrs"
//! Unit      = UnitSec | UnitMin | UnitHr | UnitDay | UnitWeek | UnitMonth | UnitYear
//!
//! ## Operators
//!
//! Operator  = "+" | "-"
//!
//! ## Intermediate syntax nodes
//!
//! Amount    = "<Number><Unit>"
//!
//! TextIterSpec = "secondly" | "minutely" | "hourly" | "daily" | "weekly" | "monthly" | "yearly"
//! Iterspec     = TextIterSpec | "every" <Number><Unit>
//!
//! ## User-facing syntax nodes
//!
//! AmountExpr = <Amount> (<Operator> <AmountExpr>)?
//! ExactDate  = "today" | "yesterday" | "tomorrow" | <Iso8601>
//! Date       = <ExactDate> (<Operator> <AmountExpr>)?
//! Iterator   = <Date> <Iterspec> ("until" <ExactDate> | <number> "times")?
//!
//! # Warning
//!
//! This module is not intended for public use... it is still public, so you can use it, but you
//! should know that these interfaces are considered private and I will not follow semver and
//! update the minor or major semver numbers of the interface of this module changes.
//!
//! Be warned!
//!

use nom::branch::alt;
use nom::combinator::{complete, map};
use nom::IResult;

use iterator::iterator;
use timetype::timetype;

use crate::error::Error;
use crate::error::Result;
use crate::iter::Iter;
use crate::timetype::IntoTimeType;

mod iterator;
mod timetype;

pub enum Parsed {
    Iterator(Result<iterator::UserIterator<Iter>>),
    TimeType(crate::timetype::TimeType),
}

fn do_parse(input: &[u8]) -> IResult<&[u8], Result<Parsed>> {
    complete(alt((
        map(iterator, |it| Ok(Parsed::Iterator(it.into_user_iterator()))),
        map(timetype, |tt| tt.into_timetype().map(Parsed::TimeType)),
    )))(input)
}

pub fn parse(s: &str) -> Result<Parsed> {
    match do_parse(s.as_bytes()) {
        Ok((_, Ok(o))) => Ok(o),
        Ok((_, Err(e))) => Err(e),
        Err(nom::Err::Error(e) | nom::Err::Failure(e)) => Err(Error::NomError(e.code.description().to_string())),
        Err(nom::Err::Incomplete(_)) => Err(Error::UnknownParserError),
    }
}