use lib::fmt;
use lib::marker::PhantomData;
use lib::mem;
use lib::str;
use error::{ConsumedResult, Info, ParseError, StreamError, Tracked};
use parser::ParseMode;
use stream::{input_at_eof, Positioned, Resetable, Stream, StreamErrorFor, StreamOnce};
use Parser;
use either::Either;
use error::FastResult::*;
#[derive(Copy, Clone)]
pub struct NotFollowedBy<P>(P);
impl<I, O, P> Parser for NotFollowedBy<P>
where
I: Stream,
P: Parser<Input = I, Output = O>,
{
type Input = I;
type Output = ();
type PartialState = P::PartialState;
parse_mode!();
#[inline]
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
let checkpoint = input.checkpoint();
let result = self.0.parse_mode(mode, input, state);
input.reset(checkpoint);
match result {
ConsumedOk(_) | EmptyOk(_) => EmptyErr(I::Error::empty(input.position()).into()),
ConsumedErr(_) | EmptyErr(_) => EmptyOk(()),
}
}
#[inline]
fn add_error(&mut self, _errors: &mut Tracked<<Self::Input as StreamOnce>::Error>) {}
fn add_consumed_expected_error(
&mut self,
_error: &mut Tracked<<Self::Input as StreamOnce>::Error>,
) {
}
forward_parser!(parser_count, 0);
}
#[inline(always)]
pub fn not_followed_by<P>(parser: P) -> NotFollowedBy<P>
where
P: Parser,
P::Output: Into<Info<<P::Input as StreamOnce>::Item, <P::Input as StreamOnce>::Range>>,
{
NotFollowedBy(parser)
}
#[derive(Copy, Clone)]
pub struct Try<P>(P);
impl<I, O, P> Parser for Try<P>
where
I: Stream,
P: Parser<Input = I, Output = O>,
{
type Input = I;
type Output = O;
type PartialState = P::PartialState;
#[inline]
fn parse_stream_consumed(&mut self, input: &mut Self::Input) -> ConsumedResult<O, I> {
self.parse_lazy(input)
}
parse_mode!();
#[inline]
fn parse_consumed_mode<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
self.parse_mode(mode, input, state)
}
#[inline]
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
match self.0.parse_consumed_mode(mode, input, state) {
v @ ConsumedOk(_) | v @ EmptyOk(_) | v @ EmptyErr(_) => v,
ConsumedErr(err) => {
if input.is_partial() && err.is_unexpected_end_of_input() {
ConsumedErr(err)
} else {
EmptyErr(err.into())
}
}
}
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[deprecated(
since = "3.5.2",
note = "try is a reserved keyword in Rust 2018. Use attempt instead."
)]
#[inline(always)]
pub fn try<P>(p: P) -> Try<P>
where
P: Parser,
{
Try(p)
}
#[inline(always)]
pub fn attempt<P>(p: P) -> Try<P>
where
P: Parser,
{
Try(p)
}
#[derive(Copy, Clone)]
pub struct LookAhead<P>(P);
impl<I, O, P> Parser for LookAhead<P>
where
I: Stream,
P: Parser<Input = I, Output = O>,
{
type Input = I;
type Output = O;
type PartialState = ();
#[inline]
fn parse_lazy(&mut self, input: &mut Self::Input) -> ConsumedResult<O, I> {
let before = input.checkpoint();
let result = self.0.parse_lazy(input);
input.reset(before);
let (o, _input) = ctry!(result);
EmptyOk(o)
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[inline(always)]
pub fn look_ahead<P>(p: P) -> LookAhead<P>
where
P: Parser,
{
LookAhead(p)
}
#[derive(Copy, Clone)]
pub struct Map<P, F>(P, F)
where
P: Parser;
impl<I, A, B, P, F> Parser for Map<P, F>
where
I: Stream,
P: Parser<Input = I, Output = A>,
F: FnMut(A) -> B,
{
type Input = I;
type Output = B;
type PartialState = P::PartialState;
parse_mode!();
#[inline]
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
match self.0.parse_mode(mode, input, state) {
ConsumedOk(x) => ConsumedOk((self.1)(x)),
EmptyOk(x) => EmptyOk((self.1)(x)),
ConsumedErr(err) => ConsumedErr(err),
EmptyErr(err) => EmptyErr(err),
}
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[inline(always)]
pub fn map<P, F, B>(p: P, f: F) -> Map<P, F>
where
P: Parser,
F: FnMut(P::Output) -> B,
{
Map(p, f)
}
#[derive(Copy, Clone)]
pub struct FlatMap<P, F>(P, F);
impl<I, A, B, P, F> Parser for FlatMap<P, F>
where
I: Stream,
P: Parser<Input = I, Output = A>,
F: FnMut(A) -> Result<B, I::Error>,
{
type Input = I;
type Output = B;
type PartialState = P::PartialState;
parse_mode!();
#[inline]
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
match self.0.parse_mode(mode, input, state) {
EmptyOk(o) => match (self.1)(o) {
Ok(x) => EmptyOk(x),
Err(err) => EmptyErr(err.into()),
},
ConsumedOk(o) => match (self.1)(o) {
Ok(x) => ConsumedOk(x),
Err(err) => ConsumedErr(err.into()),
},
EmptyErr(err) => EmptyErr(err),
ConsumedErr(err) => ConsumedErr(err),
}
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[inline(always)]
pub fn flat_map<P, F, B>(p: P, f: F) -> FlatMap<P, F>
where
P: Parser,
F: FnMut(P::Output) -> Result<B, <P::Input as StreamOnce>::Error>,
{
FlatMap(p, f)
}
#[derive(Copy, Clone)]
pub struct AndThen<P, F>(P, F);
impl<P, F, O, E, I> Parser for AndThen<P, F>
where
I: Stream,
P: Parser<Input = I>,
F: FnMut(P::Output) -> Result<O, E>,
E: Into<<I::Error as ParseError<I::Item, I::Range, I::Position>>::StreamError>,
I::Error: ParseError<I::Item, I::Range, I::Position>,
{
type Input = P::Input;
type Output = O;
type PartialState = P::PartialState;
parse_mode!();
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
let position = input.position();
let checkpoint = input.checkpoint();
match self.0.parse_mode(mode, input, state) {
EmptyOk(o) => match (self.1)(o) {
Ok(o) => EmptyOk(o),
Err(err) => {
let err = <Self::Input as StreamOnce>::Error::from_error(position, err.into());
if input.is_partial() && input_at_eof(input) {
input.reset(checkpoint);
ConsumedErr(err)
} else {
EmptyErr(err.into())
}
}
},
ConsumedOk(o) => match (self.1)(o) {
Ok(o) => ConsumedOk(o),
Err(err) => {
if input.is_partial() && input_at_eof(input) {
input.reset(checkpoint);
}
ConsumedErr(
<Self::Input as StreamOnce>::Error::from_error(position, err.into()).into(),
)
}
},
EmptyErr(err) => EmptyErr(err),
ConsumedErr(err) => ConsumedErr(err),
}
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[inline(always)]
pub fn and_then<P, F, O, E, I>(p: P, f: F) -> AndThen<P, F>
where
P: Parser<Input = I>,
F: FnMut(P::Output) -> Result<O, E>,
I: Stream,
E: Into<<I::Error as ParseError<I::Item, I::Range, I::Position>>::StreamError>,
{
AndThen(p, f)
}
#[derive(Copy, Clone)]
pub struct Recognize<F, P>(P, PhantomData<fn() -> F>);
impl<F, P> Recognize<F, P>
where
P: Parser,
F: Default + Extend<<P::Input as StreamOnce>::Item>,
{
#[inline]
fn recognize_result(
elements: &mut F,
before: <<Self as Parser>::Input as Resetable>::Checkpoint,
input: &mut <Self as Parser>::Input,
result: ConsumedResult<P::Output, P::Input>,
) -> ConsumedResult<F, P::Input> {
match result {
EmptyOk(_) => {
let last_position = input.position();
input.reset(before);
while input.position() != last_position {
match input.uncons() {
Ok(elem) => elements.extend(Some(elem)),
Err(err) => {
return EmptyErr(
<P::Input as StreamOnce>::Error::from_error(input.position(), err)
.into(),
);
}
}
}
EmptyOk(mem::replace(elements, F::default()))
}
ConsumedOk(_) => {
let last_position = input.position();
input.reset(before);
while input.position() != last_position {
match input.uncons() {
Ok(elem) => elements.extend(Some(elem)),
Err(err) => {
return ConsumedErr(<P::Input as StreamOnce>::Error::from_error(
input.position(),
err,
));
}
}
}
ConsumedOk(mem::replace(elements, F::default()))
}
ConsumedErr(err) => {
let last_position = input.position();
input.reset(before);
while input.position() != last_position {
match input.uncons() {
Ok(elem) => elements.extend(Some(elem)),
Err(err) => {
return ConsumedErr(<P::Input as StreamOnce>::Error::from_error(
input.position(),
err,
));
}
}
}
ConsumedErr(err)
}
EmptyErr(err) => EmptyErr(err),
}
}
}
impl<P, F> Parser for Recognize<F, P>
where
P: Parser,
F: Default + Extend<<P::Input as StreamOnce>::Item>,
{
type Input = P::Input;
type Output = F;
type PartialState = (F, P::PartialState);
parse_mode!();
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
let (ref mut elements, ref mut child_state) = *state;
let before = input.checkpoint();
let result = self.0.parse_mode(mode, input, child_state);
Self::recognize_result(elements, before, input, result)
}
#[inline]
fn add_error(&mut self, errors: &mut Tracked<<Self::Input as StreamOnce>::Error>) {
self.0.add_error(errors)
}
}
#[inline(always)]
pub fn recognize<F, P>(parser: P) -> Recognize<F, P>
where
P: Parser,
F: Default + Extend<<P::Input as StreamOnce>::Item>,
{
Recognize(parser, PhantomData)
}
impl<L, R> Parser for Either<L, R>
where
L: Parser,
R: Parser<Input = L::Input, Output = L::Output>,
{
type Input = L::Input;
type Output = L::Output;
type PartialState = Option<Either<L::PartialState, R::PartialState>>;
#[inline]
fn parse_lazy(&mut self, input: &mut Self::Input) -> ConsumedResult<Self::Output, Self::Input> {
match *self {
Either::Left(ref mut x) => x.parse_lazy(input),
Either::Right(ref mut x) => x.parse_lazy(input),
}
}
parse_mode!();
#[inline]
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
match *self {
Either::Left(ref mut x) => {
match *state {
None | Some(Either::Right(_)) => {
*state = Some(Either::Left(L::PartialState::default()))
}
Some(Either::Left(_)) => (),
}
x.parse_mode(
mode,
input,
state.as_mut().unwrap().as_mut().left().unwrap(),
)
}
Either::Right(ref mut x) => {
match *state {
None | Some(Either::Left(_)) => {
*state = Some(Either::Right(R::PartialState::default()))
}
Some(Either::Right(_)) => (),
}
x.parse_mode(
mode,
input,
state.as_mut().unwrap().as_mut().right().unwrap(),
)
}
}
}
#[inline]
fn add_error(&mut self, error: &mut Tracked<<Self::Input as StreamOnce>::Error>) {
match *self {
Either::Left(ref mut x) => x.add_error(error),
Either::Right(ref mut x) => x.add_error(error),
}
}
}
pub struct NoPartial<P>(P);
impl<P> Parser for NoPartial<P>
where
P: Parser,
{
type Input = <P as Parser>::Input;
type Output = <P as Parser>::Output;
type PartialState = ();
#[inline(always)]
fn parse_lazy(&mut self, input: &mut Self::Input) -> ConsumedResult<Self::Output, Self::Input> {
self.0.parse_lazy(input)
}
parse_mode!();
#[inline(always)]
fn parse_mode_impl<M>(
&mut self,
_mode: M,
input: &mut Self::Input,
_state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
self.0.parse_lazy(input)
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[inline(always)]
pub fn no_partial<P>(p: P) -> NoPartial<P>
where
P: Parser,
{
NoPartial(p)
}
#[derive(Copy, Clone)]
pub struct Ignore<P>(P);
impl<P> Parser for Ignore<P>
where
P: Parser,
{
type Input = P::Input;
type Output = ();
type PartialState = P::PartialState;
#[inline(always)]
fn parse_lazy(&mut self, input: &mut Self::Input) -> ConsumedResult<Self::Output, Self::Input> {
self.0.parse_lazy(input).map(|_| ())
}
parse_mode!();
#[inline(always)]
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
self.0.parse_mode(mode, input, state).map(|_| ())
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[doc(hidden)]
pub fn ignore<P>(p: P) -> Ignore<P>
where
P: Parser,
{
Ignore(p)
}
#[cfg(feature = "std")]
#[derive(Default)]
pub struct AnyPartialState(Option<Box<::std::any::Any>>);
#[cfg(feature = "std")]
pub struct AnyPartialStateParser<P>(P);
#[cfg(feature = "std")]
impl<P> Parser for AnyPartialStateParser<P>
where
P: Parser,
P::PartialState: 'static,
{
type Input = P::Input;
type Output = P::Output;
type PartialState = AnyPartialState;
#[inline]
fn parse_lazy(&mut self, input: &mut Self::Input) -> ConsumedResult<Self::Output, Self::Input> {
self.0.parse_lazy(input)
}
parse_mode!();
#[inline]
fn parse_mode<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
let mut new_child_state;
let result = {
let child_state = if state.0.is_none() {
new_child_state = Some(Default::default());
new_child_state.as_mut().unwrap()
} else {
new_child_state = None;
state.0.as_mut().unwrap().downcast_mut().unwrap()
};
self.0.parse_mode(mode, input, child_state)
};
if let ConsumedErr(_) = result {
if state.0.is_none() {
state.0 = Some(Box::new(new_child_state.unwrap()));
}
}
result
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[cfg(feature = "std")]
pub fn any_partial_state<P>(p: P) -> AnyPartialStateParser<P>
where
P: Parser,
P::PartialState: 'static,
{
AnyPartialStateParser(p)
}
#[cfg(feature = "std")]
#[derive(Default)]
pub struct AnySendPartialState(Option<Box<::std::any::Any + Send>>);
#[cfg(feature = "std")]
pub struct AnySendPartialStateParser<P>(P);
#[cfg(feature = "std")]
impl<P> Parser for AnySendPartialStateParser<P>
where
P: Parser,
P::PartialState: Send + 'static,
{
type Input = P::Input;
type Output = P::Output;
type PartialState = AnySendPartialState;
#[inline]
fn parse_lazy(&mut self, input: &mut Self::Input) -> ConsumedResult<Self::Output, Self::Input> {
self.0.parse_lazy(input)
}
parse_mode!();
#[inline]
fn parse_mode<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
let mut new_child_state;
let result = {
let child_state = if let None = state.0 {
new_child_state = Some(Default::default());
new_child_state.as_mut().unwrap()
} else {
new_child_state = None;
state.0.as_mut().unwrap().downcast_mut().unwrap()
};
self.0.parse_mode(mode, input, child_state)
};
if let ConsumedErr(_) = result {
if state.0.is_none() {
state.0 = Some(Box::new(new_child_state.unwrap()));
}
}
result
}
forward_parser!(add_error add_consumed_expected_error parser_count, 0);
}
#[cfg(feature = "std")]
pub fn any_send_partial_state<P>(p: P) -> AnySendPartialStateParser<P>
where
P: Parser,
P::PartialState: Send + 'static,
{
AnySendPartialStateParser(p)
}
#[derive(Copy, Clone)]
pub struct Lazy<P>(P);
impl<I, O, P, R> Parser for Lazy<P>
where
I: Stream,
P: FnMut() -> R,
R: Parser<Input = I, Output = O>,
{
type Input = I;
type Output = O;
type PartialState = R::PartialState;
fn parse_stream_consumed(&mut self, input: &mut Self::Input) -> ConsumedResult<O, I> {
(self.0)().parse_stream_consumed(input)
}
fn parse_lazy(&mut self, input: &mut Self::Input) -> ConsumedResult<O, I> {
(self.0)().parse_lazy(input)
}
parse_mode!();
fn parse_consumed_mode<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
(self.0)().parse_mode(mode, input, state)
}
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
(self.0)().parse_mode_impl(mode, input, state)
}
fn add_error(&mut self, errors: &mut Tracked<<Self::Input as StreamOnce>::Error>) {
(self.0)().add_error(errors);
}
fn add_consumed_expected_error(
&mut self,
errors: &mut Tracked<<Self::Input as StreamOnce>::Error>,
) {
(self.0)().add_consumed_expected_error(errors);
}
}
#[inline(always)]
pub fn lazy<P, R>(p: P) -> Lazy<P>
where
P: FnMut() -> R,
R: Parser,
{
Lazy(p)
}
#[derive(Copy, Clone)]
pub struct Factory<P, R>(P, Option<R>);
impl<P, R> Factory<P, R>
where
P: FnMut() -> R,
{
fn parser(&mut self) -> &mut R {
if let Some(ref mut r) = self.1 {
return r;
}
self.1 = Some((self.0)());
self.1.as_mut().unwrap()
}
}
impl<I, O, P, R> Parser for Factory<P, R>
where
I: Stream,
P: FnMut() -> R,
R: Parser<Input = I, Output = O>,
{
type Input = I;
type Output = O;
type PartialState = R::PartialState;
parse_mode!();
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
if mode.is_first() {
self.1 = None;
}
self.parser().parse_mode_impl(mode, input, state)
}
fn add_error(&mut self, errors: &mut Tracked<<Self::Input as StreamOnce>::Error>) {
self.parser().add_error(errors);
}
fn add_consumed_expected_error(
&mut self,
errors: &mut Tracked<<Self::Input as StreamOnce>::Error>,
) {
self.parser().add_consumed_expected_error(errors);
}
}
#[inline(always)]
pub fn factory<P, R>(p: P) -> Factory<P, R>
where
P: FnMut() -> R,
R: Parser,
{
Factory(p, None)
}
mod internal {
pub trait Sealed {}
}
use self::internal::Sealed;
pub trait StrLike: Sealed {
fn from_utf8(&self) -> Result<&str, ()>;
}
#[cfg(feature = "std")]
impl Sealed for String {}
#[cfg(feature = "std")]
impl StrLike for String {
fn from_utf8(&self) -> Result<&str, ()> {
Ok(self)
}
}
impl<'a> Sealed for &'a str {}
impl<'a> StrLike for &'a str {
fn from_utf8(&self) -> Result<&str, ()> {
Ok(*self)
}
}
impl Sealed for str {}
impl StrLike for str {
fn from_utf8(&self) -> Result<&str, ()> {
Ok(self)
}
}
#[cfg(feature = "std")]
impl Sealed for Vec<u8> {}
#[cfg(feature = "std")]
impl StrLike for Vec<u8> {
fn from_utf8(&self) -> Result<&str, ()> {
(**self).from_utf8()
}
}
impl<'a> Sealed for &'a [u8] {}
impl<'a> StrLike for &'a [u8] {
fn from_utf8(&self) -> Result<&str, ()> {
(**self).from_utf8()
}
}
impl Sealed for [u8] {}
impl StrLike for [u8] {
fn from_utf8(&self) -> Result<&str, ()> {
str::from_utf8(self).map_err(|_| ())
}
}
parser! {
pub struct FromStr;
type PartialState = P::PartialState;
pub fn from_str[O, P](parser: P)(P::Input) -> O
where [
P: Parser,
P::Output: StrLike,
O: str::FromStr,
O::Err: fmt::Display,
]
{
parser.and_then(|r| {
r.from_utf8()
.map_err(|_| StreamErrorFor::<P::Input>::expected_static_message("UTF-8"))
.and_then(|s| s.parse().map_err(StreamErrorFor::<P::Input>::message_message))
})
}
}
#[derive(Copy, Clone)]
pub struct Opaque<F, I, O, S>(F, PhantomData<fn(&mut I, &mut S) -> O>);
impl<F, I, O, S> Parser for Opaque<F, I, O, S>
where
I: Stream,
S: Default,
F: FnMut(&mut FnMut(&mut Parser<Input = I, Output = O, PartialState = S>)),
{
type Input = I;
type Output = O;
type PartialState = S;
fn parse_stream_consumed(&mut self, input: &mut Self::Input) -> ConsumedResult<O, I> {
let mut x = None;
(self.0)(&mut |parser| x = Some(parser.parse_stream_consumed(input)));
x.expect("Parser")
}
fn parse_lazy(&mut self, input: &mut Self::Input) -> ConsumedResult<O, I> {
let mut x = None;
(self.0)(&mut |parser| x = Some(parser.parse_lazy(input)));
x.expect("Parser")
}
parse_mode!();
fn parse_mode_impl<M>(
&mut self,
mode: M,
input: &mut Self::Input,
state: &mut Self::PartialState,
) -> ConsumedResult<Self::Output, Self::Input>
where
M: ParseMode,
{
let mut x = None;
(self.0)(&mut |parser| {
x = Some(if mode.is_first() {
parser.parse_first(input, state)
} else {
parser.parse_partial(input, state)
})
});
x.expect("Parser")
}
fn add_error(&mut self, errors: &mut Tracked<<Self::Input as StreamOnce>::Error>) {
(self.0)(&mut |parser| parser.add_error(errors));
}
fn add_consumed_expected_error(
&mut self,
errors: &mut Tracked<<Self::Input as StreamOnce>::Error>,
) {
(self.0)(&mut |parser| parser.add_consumed_expected_error(errors));
}
}
pub type FnOpaque<I, O, S = ()> =
Opaque<fn(&mut FnMut(&mut Parser<Input = I, Output = O, PartialState = S>)), I, O, S>;
pub fn opaque<F, I, O, S>(f: F) -> Opaque<F, I, O, S>
where
I: Stream,
S: Default,
F: FnMut(&mut FnMut(&mut Parser<Input = I, Output = O, PartialState = S>)),
{
Opaque(f, PhantomData)
}
#[macro_export]
macro_rules! opaque {
($e: expr) => {
opaque!($e,);
};
($e: expr,) => {
$crate::parser::combinator::opaque(
move |f: &mut FnMut(&mut $crate::Parser<Input = _, Output = _, PartialState = _>)| {
f(&mut $e)
},
)
};
}