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
use crate::document::Document;
use crate::key::Key;
use crate::parser::errors::CustomError;
use crate::parser::inline_table::KEYVAL_SEP;
use crate::parser::key::key;
use crate::parser::table::table;
use crate::parser::trivia::{comment, line_ending, line_trailing, newline, ws};
use crate::parser::value::value;
use crate::parser::{TomlError, TomlParser};
use crate::table::TableKeyValue;
use crate::{InternalString, Item};
use combine::parser::byte::byte;
use combine::stream::position::{IndexPositioner, Positioner, Stream};
use combine::stream::RangeStream;
use combine::Parser;
use combine::*;
use std::cell::RefCell;
use std::mem;
use std::ops::DerefMut;
toml_parser!(parse_comment, parser, {
(comment(), line_ending()).and_then::<_, _, std::str::Utf8Error>(|(c, e)| {
let c = std::str::from_utf8(c)?;
parser.borrow_mut().deref_mut().on_comment(c, e);
Ok(())
})
});
toml_parser!(
parse_ws,
parser,
ws().map(|w| parser.borrow_mut().deref_mut().on_ws(w))
);
toml_parser!(parse_newline, parser, {
newline().map(|_| parser.borrow_mut().deref_mut().on_ws("\n"))
});
toml_parser!(keyval, parser, {
parse_keyval().and_then(|(p, kv)| parser.borrow_mut().deref_mut().on_keyval(p, kv))
});
parser! {
fn parse_keyval['a, I]()(I) -> (Vec<Key>, TableKeyValue)
where
[I: RangeStream<
Range = &'a [u8],
Token = u8>,
I::Error: ParseError<u8, &'a [u8], <I as StreamOnce>::Position>,
<I::Error as ParseError<u8, &'a [u8], <I as StreamOnce>::Position>>::StreamError:
From<std::num::ParseIntError> +
From<std::num::ParseFloatError> +
From<std::str::Utf8Error> +
From<crate::parser::errors::CustomError>
] {
(
key(),
byte(KEYVAL_SEP),
(ws(), value(), line_trailing())
).and_then::<_, _, std::str::Utf8Error>(|(key, _, v)| {
let mut path = key;
let key = path.pop().expect("grammar ensures at least 1");
let (pre, v, suf) = v;
let suf = std::str::from_utf8(suf)?;
let v = v.decorated(pre, suf);
Ok((
path,
TableKeyValue {
key,
value: Item::Value(v),
}
))
})
}
}
impl TomlParser {
pub(crate) fn parse(s: &[u8]) -> Result<Document, TomlError> {
let s = s.strip_prefix(b"\xEF\xBB\xBF").unwrap_or(s);
let mut parser = RefCell::new(Self::default());
let input = Stream::new(s);
let parsed = parse_ws(&parser)
.with(choice((
eof(),
skip_many1(
look_ahead(any()).then(|e| {
dispatch!(e;
crate::parser::trivia::COMMENT_START_SYMBOL => parse_comment(&parser),
crate::parser::table::STD_TABLE_OPEN => table(&parser),
crate::parser::trivia::LF |
crate::parser::trivia::CR => parse_newline(&parser),
_ => keyval(&parser),
)
})
.skip(parse_ws(&parser)),
),
)))
.easy_parse(input);
match parsed {
Ok((_, ref rest)) if !rest.input.is_empty() => Err(TomlError::from_unparsed(
(&rest.positioner
as &dyn Positioner<usize, Position = usize, Checkpoint = IndexPositioner>)
.position(),
s,
)),
Ok(..) => {
parser
.get_mut()
.finalize_table()
.map_err(|e| TomlError::custom(e.to_string()))?;
let trailing = parser.borrow().trailing.as_str().into();
parser.get_mut().document.trailing = trailing;
Ok(parser.into_inner().document)
}
Err(e) => Err(TomlError::new(e, s)),
}
}
fn on_ws(&mut self, w: &str) {
self.trailing.push_str(w);
}
fn on_comment(&mut self, c: &str, e: &str) {
self.trailing = [&self.trailing, c, e].concat();
}
fn on_keyval(&mut self, mut path: Vec<Key>, mut kv: TableKeyValue) -> Result<(), CustomError> {
{
let prefix = mem::take(&mut self.trailing);
let first_key = if path.is_empty() {
&mut kv.key
} else {
&mut path[0]
};
first_key
.decor
.set_prefix(prefix + first_key.decor.prefix().unwrap_or_default());
}
let table = &mut self.current_table;
let table = Self::descend_path(table, &path, true)?;
let mixed_table_types = table.is_dotted() == path.is_empty();
if mixed_table_types {
return Err(CustomError::DuplicateKey {
key: kv.key.get().into(),
table: None,
});
}
let key: InternalString = kv.key.get_internal().into();
let old = table.items.insert(key.clone(), kv);
let duplicate_key = old.is_some();
if duplicate_key {
return Err(CustomError::DuplicateKey {
key: key.as_str().into(),
table: Some(self.current_table_path.clone()),
});
}
Ok(())
}
}