use crate::bnf::Bnf; use std::rc::Rc; pub type ParseResult = Result<(O, I), E>; pub trait Parser { fn parse(&self, input: I) -> ParseResult; fn bnf(&self) -> Option { None } fn map<'a, F, O2>(self, map_fn: F) -> BoxedParser<'a, I, O2, E> where Self: Sized + 'a, I: 'a, E: 'a, O: 'a, O2: 'a, F: Fn(O) -> O2 + 'a, { BoxedParser::new(crate::combinators::map(self, map_fn)) } fn to<'a, O2>(self, item: O2) -> BoxedParser<'a, I, O2, E> where Self: Sized + 'a, I: 'a, O: 'a, O2: Clone + 'a, E: 'a, { self.map(move |_| item.clone()) } fn then<'a, P, O2>(self, next_parser: P) -> BoxedParser<'a, I, (O, O2), E> where Self: Sized + 'a, I: 'a, O: 'a, O2: 'a, E: 'a, P: Parser + 'a, { BoxedParser::new(crate::sequence::tuple2(self, next_parser)) } fn ignore_then<'a, P, O2>(self, next_parser: P) -> BoxedParser<'a, I, O2, E> where Self: Sized + 'a, I: 'a, O: 'a, O2: 'a, E: 'a, P: Parser + 'a, { BoxedParser::new(crate::sequence::tuple2(self, next_parser)) .map(|(_, next_output)| next_output) } fn then_ignore<'a, P, O2>(self, next_parser: P) -> BoxedParser<'a, I, O, E> where Self: Sized + 'a, I: 'a, O: 'a, O2: 'a, E: 'a, P: Parser + 'a, { BoxedParser::new(crate::sequence::tuple2(self, next_parser)) .map(|(this_output, _)| this_output) } fn optional<'a>(self) -> BoxedParser<'a, I, Option, E> where I: Clone + 'a, O: 'a, E: 'a, Self: Sized + 'a, { BoxedParser::new(crate::combinators::optional(self)) } } pub struct BoxedParser<'a, I, O, E> { inner: Box + 'a>, } impl<'a, I, O, E> BoxedParser<'a, I, O, E> { pub(crate) fn new

(inner: P) -> Self where P: Parser + 'a, { BoxedParser { inner: Box::new(inner), } } } impl<'a, I, O, E> Parser for BoxedParser<'a, I, O, E> { fn parse(&self, input: I) -> ParseResult { self.inner.parse(input) } } impl Parser for F where F: Fn(I) -> ParseResult, { fn parse(&self, input: I) -> ParseResult { self(input) } } impl Parser for Rc where T: Parser, { fn parse(&self, input: I) -> ParseResult { self.as_ref().parse(input) } }