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 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660
//! # Rusty Parser
//!
//! A Generic compile-time Parser generator and Pattern Matching Library written in Rust
//!
//! RustyParser provides a set of basic parsers, combinators, and parser-generating functions.
//!
//! This library is designed to work with general iterators, but some functionalities are limited to specific iterators.
//!
//! # Example
//! ```rust
//! use rusty_parser as rp;
//! use rp::IntoParser;
//
//! // define pattern
//! // digit: [0-9]
//! // this will match one digit, and returns (char,), the character it parsed
//! let digit_parser = rp::range('0'..='9');
//!
//! // define pattern
//! // num: digit+
//! // this will match one or more digits, and returns (Vec<char>,), the character it parsed
//! let num_parser = digit_parser.repeat(1..);
//!
//! // map the output
//! // Vec<char> --> i32
//! let num_parser = num_parser.map(|digits: Vec<char>| -> i32 {
//! let mut num = 0;
//! for ch in digits {
//! num = num * 10 + (ch as i32 - '0' as i32);
//! }
//! num
//! });
//!
//! // parse input iterator with given pattern, and return the result
//! let res = rp::parse(&num_parser, "123456hello_world".chars());
//!
//! // res contains the result of parsing
//! assert_eq!(res.output.unwrap(), (123456,));
//!
//! // res.it: iterator after parsing
//! // here, '123456' is parsed, so the rest is "hello_world"
//! assert_eq!(res.it.collect::<String>(), "hello_world");
//! ```
//!
//!
//!
//! Those generated parsers are used to parse the input string, and return the extracted data.
//!
//! [`crate::parse()`] takes a Pattern Object and iterator of input string, then returns [`crate::ParseResult`].
//!
//! [`crate::match_pattern()`] can be used
//! when you only want to check if the pattern is matched or not, without extracting data.
//! For some parsers, like [`IntoParser::repeat`], it is expensive to call [`crate::parse()`] to get the output since it invokes [`Vec::push`] inside.
//!
//! ### Note
//! - Since the [`crate::parse()`] internally clones the iterator, the iterator must be cheaply clonable.
//! - `Output` must be `Tuple`, including `()`. If you want to return a single value, use `(Value,)`.
//!
//!
//! ## Parsers Overview
//!
//! ### Basic(Leaf) Parsers
//! | Parser | Description | Output |
//! | :------: | ----------- | :------: |
//! | [`crate::one`], [`crate::one_by`] | Match one charactor | `(Iterator::Item,)` |
//! | [`crate::range`] | Match one charactor in the range | `(Iterator::Item,)` |
//! | [`crate::str`], [`crate::str_by`], [`crate::slice`], [`crate::slice_by`] | Match multiple charactors | `()` |
//! | [`crate::string`], [`crate::string_by`], [`crate::vec`], [`crate::vec_by`] | Match multiple charactors | `()` |
//! | [`crate::check`] | Check one charactor with closure | `(T,)` |
//! | [`crate::any`] | Match any charactor | `(Iterator::Item,)` |
//! | [`crate::DictBTree`], [`crate::DictHashMap`] | Trie Dictionary | `T` |
//! | [`crate::DynBoxChars`], [`crate::DynBoxSlice`], [`crate::DynBoxSliceCopied`] | Dynamic Parser that can take any parser with same `Output` | `T` |
//!
//! ### Combinators
//! | Combinator | Description | Output |
//! | :------: | ----------- | :------: |
//! | [`seq!`] | Sequence of parsers | `( *<Output of A>, *<Output of B> ... )`(Tuple Concatenated ) |
//! | [`or!`] | Or combinator | `Output` of the all parsers |
//! | [`IntoParser::map`] | Map the output of the parser | `(T,)` |
//! | [`IntoParser::repeat`] | Repeat the parser multiple times | `(Vec<Output of Self>,)` |
//! | [`IntoParser::optional`] | Success whether the pattern is matched or not | `( Option<Output of Self>, )` |
//! | [`IntoParser::optional_or`] | Success whether the pattern is matched or not | `Output` of `Self` |
//! | [`IntoParser::not`] | Match for Pattern1 to success and Pattern2 to fail | `Output` of `Self` |
//! | [`IntoParser::reduce_left`], [`IntoParser::reduce_right`] | Reduce the output of the parser | `Output` of `Self` |
//!
//!
//! ### Others
//! | Parser | Description | Output |
//! | :------: | ----------- | :------: |
//! | [`crate::constant`] | Always succeed, and return the constant value | `()` |
//! | [`crate::end`] | Success if it reached to the end of input | `()` |
//! | [`crate::fail`] | Always fail | `()` |
//! | [`IntoParser::void`] | Ignore the output of the parser | `()` |
//! | [`IntoParser::output`] | Change Parser's Output to `(output,)` | `(T,)` |
//! | [`IntoParser::string`], [`IntoParser::vec`] | Captures the matched range into `String` or `Vec<T>` | `(String,)` or `(Vec<Iterator::Item>,)` |
//! | [`IntoParser::not_consume`] | Check if the pattern is matched or not, without consuming the input | `Output` of `Self` |
pub(crate) mod core;
pub(crate) mod leaf;
pub(crate) mod wrapper;
/// Trait for converting possible types to Parser object.
///
/// This trait contains useful member functions for parser generation.
pub use crate::core::into_parser::IntoParser;
/// Convert the given type to Parser ( if it impl IntoParser )
pub fn into_parser<ParserType: IntoParser>(parser: ParserType) -> ParserType::Into {
parser.into_parser()
}
/// Parser trait. Every parser object must implement this trait.
///
/// for [`crate::parse()`], [`crate::match_pattern()`] functions
pub use core::parser::Parser;
/// struct that holds the result of parsing.
pub use core::result::ParseResult;
/// A trait alias that Input Iterator must hold.
pub use crate::core::iterator_bound::InputIteratorTrait;
/// Parse the input with the given parser.
pub fn parse<ParserType, It>(
parser: &ParserType,
it: It,
) -> ParseResult<<ParserType as Parser<It>>::Output, It>
where
It: InputIteratorTrait,
ParserType: Parser<It>,
{
parser.parse(it)
}
/// Match pattern of the input with the given parser.
///
/// [`crate::match_pattern()`] can be used
/// when you only want to check if the pattern is matched or not, without extracting data.
/// For some parsers, like [`IntoParser::repeat`], it is expensive to call [`crate::parse()`] to get the output since it invokes [`Vec::push`] inside.
pub fn match_pattern<ParserType, It>(parser: &ParserType, it: It) -> ParseResult<(), It>
where
It: InputIteratorTrait,
ParserType: Parser<It>,
{
parser.match_pattern(it)
}
/// Check one character is equal to the given character.
///
/// `Output`: `(Iterator::Item,)`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let a_parser = rp::one('a');
/// let a_parser = 'a'.into_parser();
/// ```
pub fn one<CharType>(ch: CharType) -> leaf::singleeq::SingleEqualParser<CharType> {
leaf::singleeq::SingleEqualParser::new(ch)
}
/// Check one character is equal to the given character by equility function.
///
/// The closure MUST be `Fn(Iterator::Item, &CharType) -> bool`.
///
/// `Output`: `(Iterator::Item,)`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let a_parser = rp::one_by('a', |value:char, ch:&char| value.to_ascii_lowercase() == *ch );
/// ```
pub fn one_by<CharType, Predicate, ItemType>(
ch: CharType,
predicate: Predicate,
) -> leaf::singleeq::SingleEqualByParser<CharType, Predicate, ItemType>
where
Predicate: Fn(ItemType, &CharType) -> bool,
{
leaf::singleeq::SingleEqualByParser::new(ch, predicate)
}
/// Check one character is in the given range.
///
/// `Output`: `( Iterator::Item, )`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let digit_parser = rp::range( '0'..='9' );
/// let digit_parser = ('0'..='9').into_parser();
/// ```
pub fn range<RangeType, Idx>(
range: RangeType,
) -> leaf::singlerange::SingleRangeParser<RangeType::Into, Idx>
where
Idx: PartialOrd + PartialEq,
RangeType: crate::core::range_copyable::ToCopyable,
RangeType::Into: crate::core::range_copyable::RangeBound<Idx>,
{
leaf::singlerange::SingleRangeParser::from(range)
}
/// Compare the input string starts with the given string.
///
/// for borrowing-safety, the lifetime of str must be 'static.
/// for non-static string, use [`crate::string()`] instead.
///
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let hello_parser = rp::str("hello");
/// let hello_parser = "hello".into_parser();
/// ```
pub fn str(str: &'static str) -> leaf::stringeq::StrEqualParser<'static> {
leaf::stringeq::StrEqualParser::new(str)
}
/// Compare the input string starts with the given string. With given equality function.
///
/// The closure MUST be `Fn(Iterator::Item, char) -> bool`.
///
/// for borrowing-safety, the lifetime of str must be 'static.
/// for non-static string, use [`crate::string_by()`] instead.
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let hello_parser = rp::str_by("hello", |value:char, ch:char| value.to_ascii_lowercase() == ch );
/// ```
pub fn str_by<Predicate, ItemType>(
str: &'static str,
predicate: Predicate,
) -> leaf::stringeq::StrEqualByParser<'static, Predicate, ItemType>
where
Predicate: Fn(ItemType, char) -> bool,
{
leaf::stringeq::StrEqualByParser::new(str, predicate)
}
/// Compare the input string starts with the given string.
///
/// This will copy all the characters into `String`, so lifetime belongs to the parser itself.
///
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let hello_parser = rp::string("hello".to_string());
/// let hello_parser = "hello".to_string().into_parser();
/// ```
pub fn string(str: String) -> leaf::stringeq::StringEqualParser {
leaf::stringeq::StringEqualParser::new(str)
}
/// Compare the input string starts with the given string. With given equality function.
///
/// The closure MUST be `Fn(Iterator::Item, char) -> bool`.
///
/// This will copy all the characters into `String`, so lifetime belongs to the parser itself.
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let hello_parser = rp::string_by("hello".to_string(), |value:char, ch:char| value.to_ascii_lowercase() == ch );
/// ```
pub fn string_by<Predicate, ItemType>(
str: String,
predicate: Predicate,
) -> leaf::stringeq::StringEqualByParser<Predicate, ItemType>
where
Predicate: Fn(ItemType, char) -> bool,
{
leaf::stringeq::StringEqualByParser::new(str, predicate)
}
/// Compare the input starts with the given slice.
///
/// for borrowing-safety, the lifetime of slice must be 'static.
/// for non-static slice, use [`crate::vec()`] instead.
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let hello_parser = rp::slice(&[104, 101, 108, 108, 111]);
/// let hello_parser = (&[104, 101, 108, 108, 111]).into_parser();
/// ```
pub fn slice<T>(slice: &'static [T]) -> leaf::stringeq::SliceEqualParser<'static, T> {
leaf::stringeq::SliceEqualParser::new(slice)
}
/// Compare the input starts with the given slice. With given equality function.
///
/// The closure MUST be `Fn(Iterator::Item, &T) -> bool`.
///
/// for borrowing-safety, the lifetime of slice must be 'static.
/// for non-static slice, use [`crate::vec_by()`] instead.
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let hello_parser = rp::slice_by(&[104, 101, 108, 108, 111], |value:i32, ch:&i32| value == *ch );
/// ```
pub fn slice_by<T, Predicate, ItemType>(
slice: &'static [T],
predicate: Predicate,
) -> leaf::stringeq::SliceEqualByParser<'static, T, Predicate, ItemType>
where
Predicate: Fn(ItemType, &T) -> bool,
{
leaf::stringeq::SliceEqualByParser::new(slice, predicate)
}
/// Compare the input starts with the given slice.
///
/// This will copy all the characters into [`std::vec::Vec`], so lifetime belongs to the parser itself.
///
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let hello_parser = rp::vec(vec![104, 101, 108, 108, 111]);
/// let hello_parser = (vec![104, 101, 108, 108, 111]).into_parser();
/// ```
pub fn vec<T>(v: Vec<T>) -> leaf::stringeq::VecEqualParser<T> {
leaf::stringeq::VecEqualParser::new(v)
}
/// Compare the input starts with the given slice. With given equality function.
///
/// The closure MUST be `Fn(Iterator::Item, &T) -> bool`.
///
/// This will copy all the characters into [`std::vec::Vec`], so lifetime belongs to the parser itself.
///
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let hello_parser = rp::vec_by(vec![104, 101, 108, 108, 111], |value:i32, ch:&i32| value == *ch );
/// ```
pub fn vec_by<T, Predicate, ItemType>(
v: Vec<T>,
predicate: Predicate,
) -> leaf::stringeq::VecEqualByParser<T, Predicate, ItemType>
where
Predicate: Fn(ItemType, &T) -> bool,
{
leaf::stringeq::VecEqualByParser::new(v, predicate)
}
/// This Parser will always success and return the clone of given output.
///
/// `Output`: Output you provided
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let parser = rp::constant( (1, 2, 3) );
/// ```
pub fn constant<Output>(output: Output) -> leaf::constant::ConstantParser<Output>
where
Output: core::tuple::Tuple + Clone,
{
leaf::constant::ConstantParser::new(output)
}
/// Parser that success if reached end of input
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let end_parser = rp::end();
/// ```
pub fn end() -> leaf::end::EndParser {
leaf::end::EndParser::new()
}
/// This Parser will always fail.
///
/// `Output`: `()`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let parser = rp::fail();
/// ```
pub fn fail() -> leaf::fail::Fail {
leaf::fail::Fail::new()
}
/// Check single item with the given closure.
///
/// The closure must be either of:
/// `Fn(Iterator::Item) -> Option<NewOutput>`
/// or
/// `Fn(Iterator::Item) -> bool`.
///
/// If the closure returns `Option<NewOutput>`, the output will be `(NewOutput,)`.
/// If the closure returns `bool`, the output will be `()`.
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// // `check` returns by Option<>
/// let parser = rp::check( |ch:char| if ch.is_alphabetic() { Some(ch) } else { None } );
/// let res = rp::parse( &parser, "hello".chars() );
///
/// // `check` returns by bool
/// let parser = rp::check( |ch:i32| if ch == 1 { true }else{ false } );
/// let res = rp::parse( &parser, (&[1,2,3]).iter().cloned() );
/// ```
pub fn check<CheckItem, Input, ClosureOutput>(
closure: CheckItem,
) -> leaf::check::SingleCheckParser<CheckItem, Input, ClosureOutput>
where
CheckItem: Fn(Input) -> ClosureOutput,
ClosureOutput: crate::leaf::check::OptionOrBool,
{
leaf::check::SingleCheckParser::new(closure)
}
/// This parser will match any character.
///
/// `Output`: `(Iterator::Item,)`
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let parser = rp::any();
/// ```
pub fn any() -> leaf::any::AnyParser {
leaf::any::AnyParser::new()
}
/// Dictionary using trie, implementation uses [`std::collections::BTreeMap`]; O(log(N)) search.
///
/// This will match as long as possible, regardless of the order of insertion.
///
/// `Output`: Output you inserted
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let mut parser = rp::DictBTree::new();
///
/// parser.insert("hello".chars(), (1,));
/// parser.insert("hello_world".chars(), (2,));
/// parser.insert("world".chars(), (3,));
///
/// // this will match as long as possible
/// let res = rp::parse(&parser, "hello_world_abcdefg".chars());
/// assert_eq!(res.output.unwrap(), (2,));
/// // 'hello_world' is parsed, so the rest is "_abcdefg"
/// assert_eq!(res.it.collect::<String>(), "_abcdefg");
///
/// // match 'hello' only
/// let res = rp::parse(&parser, "hello_wo".chars());
/// assert_eq!(res.output.unwrap(), (1,));
/// ```
pub use leaf::dict_btree::DictBTreeParser as DictBTree;
/// Dictionary using trie, implementation uses [`std::collections::HashMap`]; O(1) search.
///
/// This will match as long as possible, regardless of the order of insertion.
///
/// `Output`: Output you inserted
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let mut parser = rp::DictHashMap::new();
///
/// parser.insert("hello".chars(), (1,));
/// parser.insert("hello_world".chars(), (2,));
/// parser.insert("world".chars(), (3,));
///
/// // this will match as long as possible
/// let res = rp::parse(&parser, "hello_world_abcdefg".chars());
/// assert_eq!(res.output.unwrap(), (2,));
/// // 'hello_world' is parsed, so the rest is "_abcdefg"
/// assert_eq!(res.it.collect::<String>(), "_abcdefg");
///
/// // match 'hello' only
/// let res = rp::parse(&parser, "hello_wo".chars());
/// assert_eq!(res.output.unwrap(), (1,));
/// ```
pub use leaf::dict_hashmap::DictHashMapParser as DictHashMap;
/// A [`Box<dyn Parser>`] wrapper for iterators of [`std::str::Chars`].
///
/// This can take any parser with Output of `Output`.
///
/// Once you wrap the parser with this, you can only use input iterator of [`std::str::Chars`].
///
/// [`Default`] is implemented, with always-panic-parser
///
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let mut parser = rp::DynBoxChars::<(char,)>::default();
/// // #[should_panic]
/// // let res = rp::parse(&parser, "hello".chars());
///
/// parser.assign( '0'..='9' );
/// let res = rp::parse(&parser, "123456hello_world".chars());
/// assert_eq!( res.output.unwrap(), ('1',) );
/// ```
pub use wrapper::boxed::chars::DynBoxChars;
/// A [`Box<dyn Parser>`] wrapper for iterators of [`std::iter::Cloned<std::slice::Iter>`].
///
/// This can take any parser with Output of `Output`.
///
/// Once you wrap the parser with this, you can only use input iterator of [`std::iter::Cloned<std::slice::Iter>`].
///
/// [`Default`] is implemented, with always-panic-parser
///
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let mut parser = rp::DynBoxSlice::<(i32,), i32>::default();
/// // #[should_panic]
/// // let res = rp::parse(&parser, (&[1,2,3]).iter().cloned());
///
/// parser.assign( 0..=9 );
/// let res = rp::parse(&parser, (&[1,2,3,4,5,6]).iter().cloned());
/// assert_eq!( res.output.unwrap(), (1,) );
/// ```
pub use wrapper::boxed::slice_cloned::DynBoxSlice;
/// A [`Box<dyn Parser>`] wrapper for iterators of [`std::iter::Copied<std::slice::Iter>`].
///
/// This can take any parser with Output of `Output`.
///
/// Once you wrap the parser with this, you can only use input iterator of [`std::iter::Copied<std::slice::Iter>`].
///
/// [`Default`] is implemented, with always-panic-parser
///
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// let mut parser = rp::DynBoxSliceCopied::<(i32,), i32>::default();
/// // #[should_panic]
/// // let res = rp::parse(&parser, (&[1,2,3]).iter().copied());
///
/// parser.assign( 0..=9 );
/// let res = rp::parse(&parser, (&[1,2,3,4,5,6]).iter().copied());
/// assert_eq!( res.output.unwrap(), (1,) );
/// ```
pub use wrapper::boxed::slice_copied::DynBoxSliceCopied;
// ================== useful macros below ==================
/// A binary or combinator
pub use wrapper::or::or;
/// A binary seq combinator
pub use wrapper::seq::seq;
/// A macro for creating a sequence of parsers.
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// // 'a', and then 'b', and then 'c'
/// let ab_parser = rp::seq!('a', 'b', 'c'); // IntoParser for char
///
#[macro_export]
macro_rules! seq {
// Base case: just return
($single:expr) => {
$single
};
// N arguments
($first:expr, $($rest:expr),+) => {
$crate::seq($first, $crate::seq!($($rest),+))
};
}
/// A macro for creating or combination of parsers.
///
/// # Example
/// ```rust
/// use rusty_parser as rp;
/// use rp::IntoParser;
///
/// // 'a' or 'b' or 'c'
/// let ab_parser = rp::or!('a', 'b', 'c'); // IntoParser for char
/// ```
#[macro_export]
macro_rules! or {
// Base case: just return
($single:expr) => {
$single
};
// N arguments
($first:expr, $($rest:expr),+) => {
$crate::or( $first, $crate::or!($($rest),+) )
};
}