1use crate::Span;
2use std::fmt::{self, Debug, Display};
3
4#[derive(Debug, Clone)]
6pub struct Error {
7 pub kind: ErrorKind,
9 pub span: Span,
13 pub line_info: Option<(usize, usize)>,
15}
16
17impl std::error::Error for Error {}
18
19impl From<(ErrorKind, Span)> for Error {
20 fn from((kind, span): (ErrorKind, Span)) -> Self {
21 Self {
22 kind,
23 span,
24 line_info: None,
25 }
26 }
27}
28
29#[derive(Debug, Clone)]
31pub enum ErrorKind {
32 UnexpectedEof,
34
35 InvalidCharInString(char),
37
38 InvalidEscape(char),
40
41 InvalidHexEscape(char),
43
44 InvalidEscapeValue(u32),
48
49 Unexpected(char),
52
53 UnterminatedString,
56
57 InvalidNumber,
59
60 OutOfRange(&'static str),
63
64 Wanted {
66 expected: &'static str,
68 found: &'static str,
70 },
71
72 DuplicateTable {
74 name: String,
76 first: Span,
78 },
79
80 DuplicateKey {
82 key: String,
84 first: Span,
86 },
87
88 RedefineAsArray,
90
91 MultilineStringKey,
93
94 Custom(std::borrow::Cow<'static, str>),
97
98 DottedKeyInvalidType {
100 first: Span,
102 },
103
104 UnexpectedKeys {
108 keys: Vec<(String, Span)>,
110 expected: Vec<String>,
112 },
113
114 UnquotedString,
116
117 MissingField(&'static str),
119
120 Deprecated {
122 old: &'static str,
124 new: &'static str,
126 },
127
128 UnexpectedValue {
130 expected: &'static [&'static str],
132 value: Option<String>,
134 },
135}
136
137impl Display for ErrorKind {
138 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
139 match self {
140 Self::UnexpectedEof => f.write_str("unexpected-eof"),
141 Self::Custom(..) => f.write_str("custom"),
142 Self::DottedKeyInvalidType { .. } => f.write_str("dotted-key-invalid-type"),
143 Self::DuplicateKey { .. } => f.write_str("duplicate-key"),
144 Self::DuplicateTable { .. } => f.write_str("duplicate-table"),
145 Self::UnexpectedKeys { .. } => f.write_str("unexpected-keys"),
146 Self::UnquotedString => f.write_str("unquoted-string"),
147 Self::MultilineStringKey => f.write_str("multiline-string-key"),
148 Self::RedefineAsArray => f.write_str("redefine-as-array"),
149 Self::InvalidCharInString(..) => f.write_str("invalid-char-in-string"),
150 Self::InvalidEscape(..) => f.write_str("invalid-escape"),
151 Self::InvalidEscapeValue(..) => f.write_str("invalid-escape-value"),
152 Self::InvalidHexEscape(..) => f.write_str("invalid-hex-escape"),
153 Self::Unexpected(..) => f.write_str("unexpected"),
154 Self::UnterminatedString => f.write_str("unterminated-string"),
155 Self::InvalidNumber => f.write_str("invalid-number"),
156 Self::OutOfRange(_) => f.write_str("out-of-range"),
157 Self::Wanted { .. } => f.write_str("wanted"),
158 Self::MissingField(..) => f.write_str("missing-field"),
159 Self::Deprecated { .. } => f.write_str("deprecated"),
160 Self::UnexpectedValue { .. } => f.write_str("unexpected-value"),
161 }
162 }
163}
164
165struct Escape(char);
166
167impl fmt::Display for Escape {
168 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
169 use std::fmt::Write as _;
170
171 if self.0.is_whitespace() {
172 for esc in self.0.escape_default() {
173 f.write_char(esc)?;
174 }
175 Ok(())
176 } else {
177 f.write_char(self.0)
178 }
179 }
180}
181
182impl Display for Error {
183 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
184 match &self.kind {
185 ErrorKind::UnexpectedEof => f.write_str("unexpected eof encountered")?,
186 ErrorKind::InvalidCharInString(c) => {
187 write!(f, "invalid character in string: `{}`", Escape(*c))?;
188 }
189 ErrorKind::InvalidEscape(c) => {
190 write!(f, "invalid escape character in string: `{}`", Escape(*c))?;
191 }
192 ErrorKind::InvalidHexEscape(c) => write!(
193 f,
194 "invalid hex escape character in string: `{}`",
195 Escape(*c)
196 )?,
197 ErrorKind::InvalidEscapeValue(c) => write!(f, "invalid escape value: `{c}`")?,
198 ErrorKind::Unexpected(c) => write!(f, "unexpected character found: `{}`", Escape(*c))?,
199 ErrorKind::UnterminatedString => f.write_str("unterminated string")?,
200 ErrorKind::Wanted { expected, found } => {
201 write!(f, "expected {expected}, found {found}")?;
202 }
203 ErrorKind::InvalidNumber => f.write_str("invalid number")?,
204 ErrorKind::OutOfRange(kind) => write!(f, "out of range of '{kind}'")?,
205 ErrorKind::DuplicateTable { name, .. } => {
206 write!(f, "redefinition of table `{name}`")?;
207 }
208 ErrorKind::DuplicateKey { key, .. } => {
209 write!(f, "duplicate key: `{key}`")?;
210 }
211 ErrorKind::RedefineAsArray => f.write_str("table redefined as array")?,
212 ErrorKind::MultilineStringKey => {
213 f.write_str("multiline strings are not allowed for key")?;
214 }
215 ErrorKind::Custom(message) => f.write_str(message)?,
216 ErrorKind::DottedKeyInvalidType { .. } => {
217 f.write_str("dotted key attempted to extend non-table type")?;
218 }
219 ErrorKind::UnexpectedKeys { keys, expected } => write!(
220 f,
221 "unexpected keys in table: `{keys:?}`\nexpected: {expected:?}"
222 )?,
223 ErrorKind::UnquotedString => {
224 f.write_str("invalid TOML value, did you mean to use a quoted string?")?;
225 }
226 ErrorKind::MissingField(field) => write!(f, "missing field '{field}' in table")?,
227 ErrorKind::Deprecated { old, new } => {
228 write!(f, "field '{old}' is deprecated, '{new}' has replaced it")?;
229 }
230 ErrorKind::UnexpectedValue { expected, .. } => write!(f, "expected '{expected:?}'")?,
231 }
232
233 Ok(())
249 }
250}
251
252#[cfg(feature = "reporting")]
253#[cfg_attr(docsrs, doc(cfg(feature = "reporting")))]
254impl Error {
255 pub fn to_diagnostic<FileId: Copy + PartialEq>(
257 &self,
258 fid: FileId,
259 ) -> codespan_reporting::diagnostic::Diagnostic<FileId> {
260 let diag =
261 codespan_reporting::diagnostic::Diagnostic::error().with_code(self.kind.to_string());
262
263 use codespan_reporting::diagnostic::Label;
264
265 let diag = match &self.kind {
266 ErrorKind::DuplicateKey { first, .. } => diag.with_labels(vec![
267 Label::secondary(fid, *first).with_message("first key instance"),
268 Label::primary(fid, self.span).with_message("duplicate key"),
269 ]),
270 ErrorKind::Unexpected(c) => diag.with_labels(vec![
271 Label::primary(fid, self.span)
272 .with_message(format!("unexpected character '{}'", Escape(*c))),
273 ]),
274 ErrorKind::InvalidCharInString(c) => diag.with_labels(vec![
275 Label::primary(fid, self.span)
276 .with_message(format!("invalid character '{}' in string", Escape(*c))),
277 ]),
278 ErrorKind::InvalidEscape(c) => {
279 diag.with_labels(vec![Label::primary(fid, self.span).with_message(format!(
280 "invalid escape character '{}' in string",
281 Escape(*c)
282 ))])
283 }
284 ErrorKind::InvalidEscapeValue(_) => diag.with_labels(vec![
285 Label::primary(fid, self.span).with_message("invalid escape value"),
286 ]),
287 ErrorKind::InvalidNumber => diag.with_labels(vec![
288 Label::primary(fid, self.span).with_message("unable to parse number"),
289 ]),
290 ErrorKind::OutOfRange(kind) => diag
291 .with_message(format!("number is out of range of '{kind}'"))
292 .with_labels(vec![Label::primary(fid, self.span)]),
293 ErrorKind::Wanted { expected, .. } => diag.with_labels(vec![
294 Label::primary(fid, self.span).with_message(format!("expected {expected}")),
295 ]),
296 ErrorKind::MultilineStringKey => diag.with_labels(vec![
297 Label::primary(fid, self.span).with_message("multiline keys are not allowed"),
298 ]),
299 ErrorKind::UnterminatedString => diag.with_labels(vec![
300 Label::primary(fid, self.span).with_message("eof reached before string terminator"),
301 ]),
302 ErrorKind::DuplicateTable { first, .. } => diag.with_labels(vec![
303 Label::secondary(fid, *first).with_message("first table instance"),
304 Label::primary(fid, self.span).with_message("duplicate table"),
305 ]),
306 ErrorKind::InvalidHexEscape(c) => diag.with_labels(vec![
307 Label::primary(fid, self.span)
308 .with_message(format!("invalid hex escape '{}'", Escape(*c))),
309 ]),
310 ErrorKind::UnquotedString => diag.with_labels(vec![
311 Label::primary(fid, self.span).with_message("string is not quoted"),
312 ]),
313 ErrorKind::UnexpectedKeys { keys, expected } => diag
314 .with_message(format!(
315 "found {} unexpected keys, expected: {expected:?}",
316 keys.len()
317 ))
318 .with_labels(
319 keys.iter()
320 .map(|(_name, span)| Label::secondary(fid, *span))
321 .collect(),
322 ),
323 ErrorKind::MissingField(field) => diag
324 .with_message(format!("missing field '{field}'"))
325 .with_labels(vec![
326 Label::primary(fid, self.span).with_message("table with missing field"),
327 ]),
328 ErrorKind::Deprecated { new, .. } => diag
329 .with_message(format!(
330 "deprecated field enountered, '{new}' should be used instead"
331 ))
332 .with_labels(vec![
333 Label::primary(fid, self.span).with_message("deprecated field"),
334 ]),
335 ErrorKind::UnexpectedValue { expected, .. } => diag
336 .with_message(format!("expected '{expected:?}'"))
337 .with_labels(vec![
338 Label::primary(fid, self.span).with_message("unexpected value"),
339 ]),
340 ErrorKind::UnexpectedEof => diag
341 .with_message("unexpected end of file")
342 .with_labels(vec![Label::primary(fid, self.span)]),
343 ErrorKind::DottedKeyInvalidType { first } => {
344 diag.with_message(self.to_string()).with_labels(vec![
345 Label::primary(fid, self.span).with_message("attempted to extend table here"),
346 Label::secondary(fid, *first).with_message("non-table"),
347 ])
348 }
349 ErrorKind::RedefineAsArray => diag
350 .with_message(self.to_string())
351 .with_labels(vec![Label::primary(fid, self.span)]),
352 ErrorKind::Custom(msg) => diag
353 .with_message(msg.to_string())
354 .with_labels(vec![Label::primary(fid, self.span)]),
355 };
356
357 diag
358 }
359}
360
361#[derive(Debug)]
364pub struct DeserError {
365 pub errors: Vec<Error>,
367}
368
369impl DeserError {
370 #[inline]
372 pub fn merge(&mut self, mut other: Self) {
373 self.errors.append(&mut other.errors);
374 }
375}
376
377impl std::error::Error for DeserError {}
378
379impl From<Error> for DeserError {
380 fn from(value: Error) -> Self {
381 Self {
382 errors: vec![value],
383 }
384 }
385}
386
387impl fmt::Display for DeserError {
388 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
389 for err in &self.errors {
390 writeln!(f, "{err}")?;
391 }
392
393 Ok(())
394 }
395}