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
use colored::*;
use std::error::Error;
#[derive(Debug, Clone)]
pub enum ParseErrorSpecifics {
ExpectedAnyCharacter,
ExpectedCharacter { c: char },
ExpectedCharacterRange { from: char, to: char },
ExpectedString { s: &'static str },
ExpectedCharacterClass { name: &'static str },
ExpectedEoi,
NegativeLookaheadFailed,
Other,
}
impl ToString for ParseErrorSpecifics {
fn to_string(&self) -> String {
match self {
ParseErrorSpecifics::ExpectedAnyCharacter => {
"expected any character (found end of input)".to_string()
}
ParseErrorSpecifics::ExpectedCharacter { c } => format!("expected character '{}'", c),
ParseErrorSpecifics::ExpectedCharacterRange { from, to } => {
format!("expected character from range '{}'-'{}'", from, to)
}
ParseErrorSpecifics::ExpectedCharacterClass { name } => {
format!("expected character from character class {}", name)
}
ParseErrorSpecifics::ExpectedString { s } => format!("expected string \"{}\"", s),
ParseErrorSpecifics::ExpectedEoi => "expected end of input".to_string(),
ParseErrorSpecifics::NegativeLookaheadFailed => {
"negative lookahead condition failed".to_string()
}
ParseErrorSpecifics::Other => "Unknown error. Sorry :(".to_string(),
}
}
}
#[derive(Debug, Clone)]
pub struct ParseError {
pub position: usize,
pub specifics: ParseErrorSpecifics,
}
impl ParseError {
#[inline]
fn farther_than(&self, other: &Self) -> bool {
self.position > other.position
}
}
#[inline]
pub fn combine_errors(first: Option<ParseError>, second: Option<ParseError>) -> Option<ParseError> {
match (first, second) {
(None, None) => None,
(None, Some(x)) => Some(x),
(Some(x), None) => Some(x),
(Some(a), Some(b)) => Some(if b.farther_than(&a) { b } else { a }),
}
}
impl std::fmt::Display for ParseError {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
let specifics = self.specifics.to_string();
write!(
f,
"Parse error on byte position {} while parsing: {}",
self.position, specifics
)
}
}
impl Error for ParseError {}
#[derive(Debug, Clone)]
struct IndexedStringLine<'a> {
pub s: &'a str,
pub lineno: usize,
pub start_offset: usize,
pub end_offset: usize,
}
struct IndexedStringLineIterator<'a> {
source: &'a str,
lineno: usize,
byte_offset: usize,
}
impl<'a> IndexedStringLineIterator<'a> {
fn new(s: &'a str) -> IndexedStringLineIterator<'a> {
IndexedStringLineIterator {
source: s,
lineno: 0,
byte_offset: 0,
}
}
}
impl<'a> Iterator for IndexedStringLineIterator<'a> {
type Item = IndexedStringLine<'a>;
fn next(&mut self) -> Option<Self::Item> {
if self.byte_offset >= self.source.bytes().len() {
return None;
}
let next_offset = self.source[self.byte_offset..]
.bytes()
.position(|b| b == b'\n')
.map(|p| p + self.byte_offset)
.unwrap_or_else(|| self.source.bytes().len())
+ 1;
let result = IndexedStringLine {
s: &self.source[self.byte_offset..next_offset - 1],
lineno: self.lineno,
start_offset: self.byte_offset,
end_offset: next_offset,
};
self.lineno += 1;
self.byte_offset = next_offset;
Some(result)
}
}
#[derive(Debug, Clone)]
pub struct PrettyParseError {
err_string: String,
}
impl PrettyParseError {
pub fn from_parse_error(err: &ParseError, text: &str, source_file: Option<&str>) -> Self {
let target_line = IndexedStringLineIterator::new(text)
.find(|l| l.start_offset <= err.position && l.end_offset >= err.position)
.unwrap();
let character_position = target_line
.s
.char_indices()
.map(|(cp, _c)| cp)
.position(|cp| cp == err.position - target_line.start_offset)
.unwrap_or(0);
let position = if let Some(f) = source_file {
format!(
"{}:{:?}:{:?}",
f,
target_line.lineno + 1,
character_position + 1
)
} else {
format!(
"Line {} character {}",
target_line.lineno + 1,
character_position + 1
)
};
let err_string = format!(
"{err}\n{arrow}{position}\n{pipe}\n{pipe}{the_line}\n{pipe}{caret:>caret_offset$}\n",
err = err.specifics.to_string().bold().white(),
position = position,
the_line = target_line.s.trim_end(),
caret = "^".bold().red(),
caret_offset = character_position + 1,
arrow = "--> ".bold().blue(),
pipe = " | ".bold().blue(),
);
Self { err_string }
}
}
impl std::fmt::Display for PrettyParseError {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
write!(f, "{}", self.err_string)
}
}
impl Error for PrettyParseError {}