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
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
use std::io;
use core::iter::{Iterator, Peekable};
use crate::language;
use crate::debug::{DebugSymbol, TokenIndex, TokenLength};
mod token;
mod errors;
mod tests;
pub mod rules;
pub use rules::MatchResult;
use rules::LexerRule;
use rules::comments::{LineCommentRule, BlockCommentRule};
pub use token::*;
pub use errors::*;
#[derive(Clone)]
pub struct LexerOptions {
skip_comments: bool,
}
pub struct LexerBuilder {
rules: Vec<Box<dyn LexerRule>>,
options: LexerOptions,
}
impl Default for LexerBuilder {
fn default() -> Self { Self::new() }
}
impl LexerBuilder {
pub fn new() -> Self {
LexerBuilder {
rules: Vec::new(),
options: LexerOptions {
skip_comments: true,
}
}
}
fn set_options(mut self, options: LexerOptions) -> Self {
self.options = options;
self
}
pub fn set_skip_comments(mut self, skip_comments: bool) -> Self {
self.options.skip_comments = skip_comments;
self
}
pub fn add_rule<R>(mut self, rule: R) -> Self
where R: LexerRule + 'static {
self.rules.push(Box::new(rule));
self
}
pub fn insert_rule<R>(mut self, index: usize, rule: impl LexerRule + 'static) -> Self {
self.rules.insert(index, Box::new(rule));
self
}
pub fn extend_rules(mut self, rules: impl Iterator<Item=impl LexerRule + 'static>) -> Self {
for rule in rules {
self.rules.push(Box::new(rule));
}
self
}
pub fn build_once<S>(self, source: S) -> Lexer<S> where S: Iterator<Item=io::Result<char>> {
Lexer::new(source, self.options, self.rules.into_iter())
}
pub fn build<S>(&self, source: S) -> Lexer<S> where S: Iterator<Item=io::Result<char>> {
Lexer::new(source, self.options.clone(), self.rules.clone().into_iter())
}
}
fn split_array_pair_mut<T>(pair: &mut [T; 2]) -> (&mut T, &mut T) {
let (first, rest) = pair.split_first_mut().unwrap();
let second = &mut rest[0];
(first, second)
}
type RuleID = usize;
pub struct Lexer<S> where S: Iterator<Item=io::Result<char>> {
source: Peekable<S>,
options: LexerOptions,
rules: Vec<Box<dyn LexerRule>>,
current: TokenIndex,
last: Option<char>,
newline: bool,
active: [Vec<RuleID>; 2],
complete: [Vec<RuleID>; 2],
}
const THIS_CYCLE: usize = 0;
const NEXT_CYCLE: usize = 1;
impl<S> Iterator for Lexer<S> where S: Iterator<Item=io::Result<char>> {
type Item = Result<TokenMeta, LexerError>;
fn next(&mut self) -> Option<Self::Item> { Some(self.next_token()) }
}
type PrevNextChars = (Option<char>, Option<char>);
impl<S> Lexer<S> where S: Iterator<Item=io::Result<char>> {
pub fn new(source: S, options: LexerOptions, rules: impl Iterator<Item=Box<dyn LexerRule>>) -> Self {
Lexer {
options,
source: source.peekable(),
rules: rules.collect(),
current: 0,
last: None,
newline: true,
active: [Vec::new(), Vec::new()],
complete: [Vec::new(), Vec::new()],
}
}
fn get_next(&mut self) -> Result<Option<char>, LexerError> {
match self.source.next() {
None => Ok(None),
Some(result) => match result {
Ok(c) => Ok(Some(c)),
Err(error) => Err(self.error(ErrorKind::IOError, self.current).caused_by(Box::new(error))),
},
}
}
fn peek_next(&mut self) -> Result<Option<char>, LexerError> {
let result = match self.source.peek() {
None => Ok(None),
Some(Ok(c)) => Ok(Some(*c)),
Some(Err(..)) => Err(()),
};
result.map_err(|_| {
let ioerror = self.source.next().unwrap().unwrap_err();
self.error(ErrorKind::IOError, self.current).caused_by(Box::new(ioerror))
})
}
fn advance(&mut self) -> Result<PrevNextChars, LexerError> {
self.last = self.peek_next()?;
let next = self.get_next()?;
if next.is_some() {
if self.current == TokenIndex::MAX {
return Err(self.error(ErrorKind::SourceTooLong, self.current));
}
self.current += 1;
}
Ok((self.last, next))
}
fn peek(&mut self) -> Result<PrevNextChars, LexerError> {
Ok((self.last, self.peek_next()?))
}
pub fn at_eof(&mut self) -> bool {
self.source.peek().is_none()
}
fn skip_whitespace(&mut self) -> Result<(), LexerError> {
let mut next = self.peek_next()?;
while next.is_some() && next.unwrap().is_whitespace() {
if let (_, Some('\n')) = self.advance()? {
self.newline = true;
}
next = self.peek_next()?;
}
Ok(())
}
fn skip_comments(&mut self) -> Result<bool, LexerError> {
let line_rule = LineCommentRule::new(language::COMMENT_CHAR);
let block_rule = BlockCommentRule::new(language::NESTED_COMMENT_START, language::NESTED_COMMENT_END);
let mut line = Some(line_rule);
let mut block = Some(block_rule);
let start_pos = self.current;
loop {
let (prev, next) = self.peek()?;
let next = match next {
Some(ch) => ch,
None => break,
};
if let Some(rule) = line.as_mut() {
if !rule.try_match(prev, next).is_match() {
line = None;
}
}
if let Some(rule) = block.as_mut() {
if !rule.try_match(prev, next).is_match() {
block = None;
}
}
if line.is_none() && block.is_none() {
break;
}
if let (_, Some('\n')) = self.advance()? {
self.newline = true;
}
}
let continue_ = !self.at_eof() && self.current > start_pos;
Ok(continue_)
}
fn reset_rules(&mut self) {
for rule in self.rules.iter_mut() {
rule.reset();
}
for idx in 0..2 {
self.active[idx].clear();
self.complete[idx].clear();
}
}
pub fn next_token(&mut self) -> Result<TokenMeta, LexerError> {
self.skip_whitespace()?;
if self.options.skip_comments {
while self.skip_comments()? {
self.skip_whitespace()?;
}
}
let result = self.scan_token();
self.newline = matches!(self.last, Some('\n'));
result
}
fn scan_token(&mut self) -> Result<TokenMeta, LexerError> {
let token_start = self.current;
self.reset_rules();
let (mut prev, next) = self.peek()?;
let mut next = match next {
Some(ch) => ch,
None => {
return self.token_data(Token::EOF, token_start);
},
};
self.active[THIS_CYCLE].extend(0..self.rules.len());
loop {
{
let (active, next_active) = split_array_pair_mut(&mut self.active);
let (complete, next_complete) = split_array_pair_mut(&mut self.complete);
next_active.clear();
next_complete.clear();
for &rule_id in active.iter() {
let rule = &mut self.rules[rule_id];
let match_result = rule.try_match(prev, next);
if match_result.is_match() {
next_active.push(rule_id);
if match_result.is_complete_match() {
next_complete.push(rule_id);
}
}
}
if next_active.is_empty() && !complete.is_empty() {
let rule_id = *complete.iter().min().unwrap();
let matching_rule = &mut self.rules[rule_id];
let token = matching_rule.get_token()
.map_err(|err| self.error(ErrorKind::CouldNotReadToken, token_start).caused_by(err))?;
return self.token_data(token, token_start);
}
}
self.advance()?;
{
let next_active = &self.active[NEXT_CYCLE];
if next_active.is_empty() {
return Err(self.error(ErrorKind::NoMatchingRule, token_start));
}
if next_active.len() == 1 {
let rule_id = next_active[0];
return self.exhaust_rule(rule_id, token_start);
}
prev = Some(next);
next = match self.peek_next()? {
Some(ch) => ch,
None => break,
};
self.active.swap(0, 1);
self.complete.swap(0, 1);
}
}
let next_complete = &self.complete[NEXT_CYCLE];
if !next_complete.is_empty() {
let rule_id = *next_complete.iter().min().unwrap();
let matching_rule = &mut self.rules[rule_id];
let token = matching_rule.get_token()
.map_err(|err| self.error(ErrorKind::CouldNotReadToken, token_start).caused_by(err))?;
return self.token_data(token, token_start);
}
Err(self.error(ErrorKind::UnexpectedEOF, token_start))
}
fn exhaust_rule(&mut self, rule_id: RuleID, token_start: TokenIndex) -> Result<TokenMeta, LexerError> {
{
let rule = &mut self.rules[rule_id];
debug_assert!(!matches!(rule.current_state(), MatchResult::NoMatch));
}
loop {
let (prev, next) = self.peek()?;
let next = match next {
Some(ch) => ch,
None => break,
};
{
let rule = &mut self.rules[rule_id];
match rule.try_match(prev, next) {
MatchResult::NoMatch => break,
_ => { self.advance()?; },
}
}
}
let rule = &mut self.rules[rule_id];
if matches!(rule.current_state(), MatchResult::CompleteMatch) {
let token = rule.get_token()
.map_err(|err| self.error(ErrorKind::CouldNotReadToken, token_start).caused_by(err))?;
return self.token_data(token, token_start);
}
if self.at_eof() {
Err(self.error(ErrorKind::UnexpectedEOF, token_start))
} else {
Err(self.error(ErrorKind::NoMatchingRule, token_start))
}
}
fn get_symbol(start_idx: TokenIndex, end_idx: TokenIndex) -> Result<DebugSymbol, LexerError> {
let length = TokenLength::try_from(end_idx.saturating_sub(start_idx));
let symbol = DebugSymbol::new(start_idx, length.unwrap_or(0));
if length.is_err() {
Err(LexerError::new(ErrorKind::MaxTokenLengthExceeded, symbol))
} else {
Ok(symbol)
}
}
fn token_data(&self, token: Token, token_start: TokenIndex) -> Result<TokenMeta, LexerError> {
let symbol = Self::get_symbol(token_start, self.current)?;
Ok(TokenMeta { token, symbol, newline: self.newline })
}
fn error(&self, kind: ErrorKind, token_start: TokenIndex) -> LexerError {
let length = TokenLength::try_from(self.current.saturating_sub(token_start));
let symbol = DebugSymbol::new(token_start, length.unwrap_or(0));
LexerError::new(kind, symbol)
}
}