A library that provides a functional way to easely parse a string or a slice.
```rust use byte_parser::{StrParser, ParseIterator};
let mut parser = StrParser::new("\ key: value\n\ other key: more : value\n\ also valid\ ");
let lines: Vec<(&str, &str)> = parser .splitonbyte(b'\n') .mapandcollect(|line| {
let key = line
.record()
.consume_while_byte_fn(|&b| b != b':')
.to_str();
let has_colon = line.advance().is_some();
if !has_colon {
return ("", key.trim_start());
}
let value = line
.record()
.consume_to_str();
(key, value.trim_start())
});
asserteq!(lines[0], ("key", "value")); asserteq!(lines[1], ("other key", "more : value")); assert_eq!(lines[2], ("", "also valid")); ```
```rust
use byte_parser::{StrParser, ParseIterator};
pub enum Number { Uint(usize), Integer(isize), Float(f32) }
impl Number {
/// # Panics
/// Panics if invalid utf8 is found.
/// Or if the digit is to large.
pub fn from_parser<'s, I>(iter: &mut I) -> Option
// there could be a leading minus -
let is_negative = iter
.next_if(|&b| b == b'-')
.is_some();
// consume first digits
iter
.while_byte_fn(u8::is_ascii_digit)
.consume_at_least(1)
.ok()?;
// there could be a dot
let has_dot = iter
.next_if(|&b| b == b'.')
.is_some();
if !has_dot {
let s = iter.to_str();
let num = match is_negative {
true => Self::Integer(
s.parse().expect("digit to large")
),
false => Self::Uint(
s.parse().expect("digit to large")
)
};
return Some(num)
}
// consume next digits
iter.consume_while_byte_fn(u8::is_ascii_digit);
Some(Self::Float(
iter.to_str().parse().expect("digit to large")
))
}
}
impl FromStr for Number {
type Err = ();
fn fromstr(s: &str) -> Result
// parser not exhausted
if parser.advance().is_some() {
return Err(())
}
Ok(num)
}
}
asserteq!(Number::Float(1.23), "1.23".parse().unwrap());
asserteq!(Number::Float(-32.1), "-32.1".parse().unwrap());
asserteq!(Number::Uint(42), "42".parse().unwrap());
asserteq!(Number::Integer(-42), "-42".parse().unwrap());
assert!(".42".parse::