use pom::parser::InputV; use std::sync::Arc; use pom::char_class::hex_digit; use pom::parser::{Parser, one_of, sym, none_of, seq, is_a, list, call, end}; use std::char::{decode_utf16, REPLACEMENT_CHARACTER}; use std::collections::HashMap; use std::str::FromStr; use std::fs::File; use std::io::Read; #[derive(Debug, PartialEq)] pub enum JsonValue { Null, Bool(bool), Str(String), Num(f64), Array(Vec), Object(HashMap), } fn space<'a>() -> Parser<'a, u8, ()> { one_of(b" \t\r\n").repeat(0..).discard() } fn number<'a>() -> Parser<'a, u8, f64> { let integer = one_of(b"123456789") - one_of(b"0123456789").repeat(0..) | sym(b'0'); let frac = sym(b'.') + one_of(b"0123456789").repeat(1..); let exp = one_of(b"eE") + one_of(b"+-").opt() + one_of(b"0123456789").repeat(1..); let number = sym(b'-').opt() + integer + frac.opt() + exp.opt(); number .collect() .convert(String::from_utf8) .convert(|v| f64::from_str(&v))} fn string<'a>() -> Parser<'a, u8, String> { let special_char = sym(b'\\') | sym(b'/') | sym(b'"') | sym(b'b').map(|_|b'\x08') | sym(b'f').map(|_|b'\x0C') | sym(b'n').map(|_|b'\n') | sym(b'r').map(|_|b'\r') | sym(b't').map(|_|b'\t'); let escape_sequence = sym(b'\\') * special_char; let char_string = (none_of(b"\\\"") | escape_sequence).repeat(1..).convert(String::from_utf8); let utf16_char = seq(b"\\u") * is_a(hex_digit).repeat(4).convert(String::from_utf8).convert(|digits|u16::from_str_radix(&digits, 16)); let utf16_string = utf16_char.repeat(1..).map(|chars|decode_utf16(chars).map(|r| r.unwrap_or(REPLACEMENT_CHARACTER)).collect::()); let string = sym(b'"') * (char_string | utf16_string).repeat(0..) - sym(b'"'); string.map(|strings| strings.concat()) } fn array<'a>() -> Parser<'a, u8, Vec> { let elems = list(call(value), sym(b',') * space()); sym(b'[') * space() * elems - sym(b']') } fn object<'a>() -> Parser<'a, u8, HashMap> { let member = string() - space() - sym(b':') - space() + call(value); let members = list(member, sym(b',') * space()); let obj = sym(b'{') * space() * members - sym(b'}'); obj.map(|members| members.into_iter().collect::>()) } fn value<'a>() -> Parser<'a, u8, JsonValue> { ( seq(b"null").map(|_|JsonValue::Null) | seq(b"true").map(|_|JsonValue::Bool(true)) | seq(b"false").map(|_|JsonValue::Bool(false)) | number().map(|num|JsonValue::Num(num)) | string().map(|text|JsonValue::Str(text)) | array().map(|arr|JsonValue::Array(arr)) | object().map(|obj|JsonValue::Object(obj)) ) - space() } pub fn json<'a>() -> Parser<'a, u8, JsonValue> { space() * value() - end() } #[allow(dead_code)] fn main() { let mut file = File::open("examples/test.json").unwrap(); let mut input:Vec = Vec::new(); file.read_to_end(&mut input); println!("{:?}", json().parse(Arc::new(InputV { input: input }))); }