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
|
use std::{mem, fmt};
use std::error::Error;
use std::collections::HashMap;
use super::*;
use synth::*;
#[derive(Debug)]
pub enum ErrorKind {
Unexpected(TokType, TokType),
ExpectedOp(char, TokType),
UnknownGen(String),
}
#[derive(Debug)]
pub struct ErrorType {
pub kind: ErrorKind,
desc: String,
}
impl ErrorType {
pub fn new(kind: ErrorKind) -> ErrorType {
let mut ret = ErrorType {
kind: kind,
desc: "".to_string(),
};
ret.desc = match &ret.kind {
&ErrorKind::Unexpected(found, expected) => format!("Found {:?}, expected {:?}", found, expected),
&ErrorKind::ExpectedOp(c, found) => format!("Expected {:?}, found {:?}", c, found),
&ErrorKind::UnknownGen(ref s) => format!("Unknown generator name {}", s),
};
ret
}
pub fn with_description(kind: ErrorKind, desc: String) -> ErrorType {
ErrorType {
kind: kind,
desc: desc,
}
}
}
impl Error for ErrorType {
fn description<'a>(&'a self) -> &'a str {
&self.desc
}
}
impl fmt::Display for ErrorType {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
write!(f, "{}", self.description())
}
}
pub struct Parser<T: Iterator<Item=char>> {
tzr: Tokenizer<T>,
token: Token,
pushback: Option<Token>,
factories: HashMap<String, &'static GeneratorFactory>,
}
impl<T: Iterator<Item=char>> Parser<T> {
pub fn new(mut tzr: Tokenizer<T>) -> Result<Parser<T>, Box<Error>> {
let token = tzr.next_token()?;
Ok(Parser {
tzr: tzr,
token: token,
pushback: None,
factories: all_factories(),
})
}
pub fn push_back(&mut self, tok: Token) {
match self.pushback {
None => {
self.pushback = Some(mem::replace(&mut self.token, tok));
},
Some(_) => panic!("too many pushbacks on Parser"),
}
}
pub fn expect(&mut self, ty: TokType) -> Result<Token, Box<Error>> {
if ty == self.token.to_type() {
Ok(mem::replace(&mut self.token, match self.pushback {
Some(_) => mem::replace(&mut self.pushback, None).unwrap(),
None => self.tzr.next_token()?,
}))
} else {
Err(ErrorType::new(ErrorKind::Unexpected(self.token.to_type(), ty)).into())
}
}
pub fn expect_ident(&mut self) -> Result<String, Box<Error>> {
match self.expect(TokType::Ident)? {
Token::Ident(s) => Ok(s),
_ => unreachable!(),
}
}
pub fn expect_op(&mut self, oper: char) -> Result<(), Box<Error>> {
match self.token {
Token::Oper(c) if c == oper => { self.expect(TokType::Oper)?; Ok(()) },
_ => Err(ErrorType::new(ErrorKind::ExpectedOp(oper, self.token.to_type())).into()),
}
}
pub fn parse(&mut self) -> Result<GenBox, Box<Error>> {
self.parse_gen()
}
pub fn parse_gen(&mut self) -> Result<GenBox, Box<Error>> {
let name = self.expect_ident()?;
self.expect_op('(')?;
let mut params: FactoryParameters = Default::default();
let mut ctr = 0;
loop {
if self.expect_op(')').is_ok() {
break;
}
let (nm, vl, new_ctr) = self.parse_param(ctr)?;
params.vars.insert(nm, vl);
ctr = new_ctr;
if self.expect_op(',').is_err() {
eprintln!("No comma: {:?}", self.token);
self.expect_op(')')?;
break;
}
}
let factory = match self.factories.get(&name) {
Some(fac) => fac,
None => return Err(ErrorType::new(ErrorKind::UnknownGen(name)).into()),
};
factory.new(&mut params).map_err(Into::into)
}
pub fn parse_param(&mut self, pos: usize) -> Result<(String, ParamValue, usize), Box<Error>> {
let mut ctr = pos;
let name = match self.expect_ident() {
Ok(nm) => {
if self.expect_op('=').is_ok() {
nm
} else {
match &self.token {
&Token::Oper(c) if c == '(' => {
self.push_back(Token::Ident(nm));
ctr += 1;
(ctr - 1).to_string()
},
_ => return Err(ErrorType::new(ErrorKind::Unexpected(self.token.to_type(), TokType::Ident)).into()),
}
}
},
Err(_) => {
ctr += 1;
(ctr - 1).to_string()
},
};
let ret = match self.token {
Token::Integer(v) => Ok((name, ParamValue::Integer(v), ctr)),
Token::Float(v) => Ok((name, ParamValue::Float(v), ctr)),
Token::String(ref v) => Ok((name, ParamValue::String(v.clone()), ctr)),
Token::Ident(_) => return Ok((name, ParamValue::Generator(self.parse_gen()?), ctr)),
_ => return Err(ErrorType::new(ErrorKind::Unexpected(self.token.to_type(), TokType::Ident)).into()),
};
let tp = self.token.to_type();
self.expect(tp)?;
ret
}
}
|