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
use std::sync::Arc;
use crate::lexer::Pos;
pub struct Errors {
pub errors: Vec<Error>,
pub(crate) filenames: Vec<Arc<str>>,
pub(crate) file_texts: Vec<Arc<str>>,
}
impl std::fmt::Debug for Errors {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
if self.errors.is_empty() {
return Ok(());
}
let diagnostics = Vec::from_iter(self.errors.iter().map(|e| {
let message = match e {
Error::IoError { context, .. } => format!("{}", context),
Error::ParseError { msg, .. } => format!("parse error: {}", msg),
Error::TypeError { msg, .. } => format!("type error: {}", msg),
Error::UnreachableError { msg, .. } => format!("unreachable rule: {}", msg),
Error::OverlapError { msg, .. } => format!("overlap error: {}", msg),
Error::ShadowedError { .. } => {
format!("more general higher-priority rule shadows other rules")
}
};
let labels = match e {
Error::IoError { .. } => vec![],
Error::ParseError { span, .. }
| Error::TypeError { span, .. }
| Error::UnreachableError { span, .. } => {
vec![Label::primary(span.from.file, span)]
}
Error::OverlapError { rules, .. } => {
let mut labels = vec![Label::primary(rules[0].from.file, &rules[0])];
labels.extend(
rules[1..]
.iter()
.map(|span| Label::secondary(span.from.file, span)),
);
labels
}
Error::ShadowedError { shadowed, mask } => {
let mut labels = vec![Label::primary(mask.from.file, mask)];
labels.extend(
shadowed
.iter()
.map(|span| Label::secondary(span.from.file, span)),
);
labels
}
};
let mut sources = Vec::new();
let mut source = e.source();
while let Some(e) = source {
sources.push(format!("{:?}", e));
source = std::error::Error::source(e);
}
Diagnostic::error()
.with_message(message)
.with_labels(labels)
.with_notes(sources)
}));
self.emit(f, diagnostics)?;
if self.errors.len() > 1 {
writeln!(f, "found {} errors", self.errors.len())?;
}
Ok(())
}
}
#[derive(Debug)]
pub enum Error {
IoError {
error: std::io::Error,
context: String,
},
ParseError {
msg: String,
span: Span,
},
TypeError {
msg: String,
span: Span,
},
UnreachableError {
msg: String,
span: Span,
},
OverlapError {
msg: String,
rules: Vec<Span>,
},
ShadowedError {
shadowed: Vec<Span>,
mask: Span,
},
}
impl Errors {
pub fn from_io(error: std::io::Error, context: impl Into<String>) -> Self {
Errors {
errors: vec![Error::IoError {
error,
context: context.into(),
}],
filenames: Vec::new(),
file_texts: Vec::new(),
}
}
#[cfg(feature = "fancy-errors")]
fn emit(
&self,
f: &mut std::fmt::Formatter,
diagnostics: Vec<Diagnostic<usize>>,
) -> std::fmt::Result {
use codespan_reporting::term::termcolor;
let w = termcolor::BufferWriter::stderr(termcolor::ColorChoice::Auto);
let mut b = w.buffer();
let mut files = codespan_reporting::files::SimpleFiles::new();
for (name, source) in self.filenames.iter().zip(self.file_texts.iter()) {
files.add(name, source);
}
for diagnostic in diagnostics {
codespan_reporting::term::emit(&mut b, &Default::default(), &files, &diagnostic)
.map_err(|_| std::fmt::Error)?;
}
let b = b.into_inner();
let b = std::str::from_utf8(&b).map_err(|_| std::fmt::Error)?;
f.write_str(b)
}
#[cfg(not(feature = "fancy-errors"))]
fn emit(
&self,
f: &mut std::fmt::Formatter,
diagnostics: Vec<Diagnostic<usize>>,
) -> std::fmt::Result {
let line_ends: Vec<Vec<_>> = self
.file_texts
.iter()
.map(|text| text.match_indices('\n').map(|(i, _)| i + 1).collect())
.collect();
let pos = |file_id: usize, offset| {
let ends = &line_ends[file_id];
let line0 = ends.partition_point(|&end| end <= offset);
let text = &self.file_texts[file_id];
let start = line0.checked_sub(1).map_or(0, |prev| ends[prev]);
let end = ends.get(line0).copied().unwrap_or(text.len());
let col = offset - start + 1;
format!(
"{}:{}:{}: {}",
self.filenames[file_id],
line0 + 1,
col,
&text[start..end]
)
};
for diagnostic in diagnostics {
writeln!(f, "{}", diagnostic.message)?;
for label in diagnostic.labels {
f.write_str(&pos(label.file_id, label.range.start))?;
}
for note in diagnostic.notes {
writeln!(f, "{}", note)?;
}
writeln!(f)?;
}
Ok(())
}
}
impl Error {
fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
match self {
Error::IoError { error, .. } => Some(error),
_ => None,
}
}
}
#[derive(Clone, Debug)]
pub struct Span {
pub from: Pos,
pub to: Pos,
}
impl Span {
pub fn new_single(pos: Pos) -> Span {
Span {
from: pos,
to: Pos {
file: pos.file,
offset: pos.offset + 1,
line: pos.line,
col: pos.col + 1,
},
}
}
}
impl From<&Span> for std::ops::Range<usize> {
fn from(span: &Span) -> Self {
span.from.offset..span.to.offset
}
}
use diagnostic::{Diagnostic, Label};
#[cfg(feature = "fancy-errors")]
use codespan_reporting::diagnostic;
#[cfg(not(feature = "fancy-errors"))]
mod diagnostic {
use std::ops::Range;
pub struct Diagnostic<FileId> {
pub message: String,
pub labels: Vec<Label<FileId>>,
pub notes: Vec<String>,
}
impl<FileId> Diagnostic<FileId> {
pub fn error() -> Self {
Self {
message: String::new(),
labels: Vec::new(),
notes: Vec::new(),
}
}
pub fn with_message(mut self, message: impl Into<String>) -> Self {
self.message = message.into();
self
}
pub fn with_labels(mut self, labels: Vec<Label<FileId>>) -> Self {
self.labels = labels;
self
}
pub fn with_notes(mut self, notes: Vec<String>) -> Self {
self.notes = notes;
self
}
}
pub struct Label<FileId> {
pub file_id: FileId,
pub range: Range<usize>,
}
impl<FileId> Label<FileId> {
pub fn primary(file_id: FileId, range: impl Into<Range<usize>>) -> Self {
Self {
file_id,
range: range.into(),
}
}
pub fn secondary(file_id: FileId, range: impl Into<Range<usize>>) -> Self {
Self::primary(file_id, range)
}
}
}