-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathparser.cpp
51 lines (47 loc) · 1.33 KB
/
parser.cpp
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
#include "parser.h"
Parser::Parser(Token_stream& ts) :ts(ts) {
}
double Parser::expression() {
double left = term(); // read and evaluate a Term
Token op = ts.get(); // get next Token from Token stream
while (op.kind == '+' || op.kind == '-') {
if (op.kind == '+')
left += term(); // evaluate Term and add
else
left -= term(); // evaluate Term and subtract
op = ts.get();
}
ts.putback(op); // put op back into Token stream
return left; // finally: no more + or -, return the answer
}
double Parser::term() {
double left = primary();
Token op = ts.get();
while (op.kind == '*' || op.kind == '/') {
if (op.kind == '*')
left *= primary();
else {
double d = primary();
if (d == 0)
throw Parser_error("divided by zero");
left /= d;
}
op = ts.get();
}
ts.putback(op);
return left;
}
double Parser::primary() {
Token t = ts.get();
if (t.kind == '(') {
// handle "(" Expression ")"
double d = expression();
if (ts.get().kind != ')')
throw Parser_error("')' expected");
return d;
}
else if (t.kind == number)
return t.value;
else
throw Parser_error("primary expected");
}