-
Notifications
You must be signed in to change notification settings - Fork 0
/
Expr.py
79 lines (59 loc) · 2.08 KB
/
Expr.py
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
from typing import List
from Token import Token
class Expr:
pass
class Assign(Expr):
def __init__(self, name: Token, value: Expr) -> None:
self.name = name
self.value = value
def accept(self, visitor):
return visitor.visit_assign_expr(self)
class Ternary(Expr):
def __init__(self, condition: Expr, then_branch: Expr, else_branch: Expr) -> None:
self.condition = condition
self.then_branch = then_branch
self.else_branch = else_branch
def accept(self, visitor):
return visitor.visit_ternary_expr(self)
class Binary(Expr):
def __init__(self, left: Expr, operator: Token, right: Expr) -> None:
self.left = left
self.operator = operator
self.right = right
def accept(self, visitor):
return visitor.visit_binary_expr(self)
class Call(Expr):
def __init__(self, callee: Expr, paren: Token, arguments: List[Expr]) -> None:
self.callee = callee
self.paren = paren
self.arguments = arguments
def accept(self, visitor):
return visitor.visit_call_expr(self)
class Grouping(Expr):
def __init__(self, expression: Expr) -> None:
self.expression = expression
def accept(self, visitor):
return visitor.visit_grouping_expr(self)
class Literal(Expr):
def __init__(self, value: object) -> None:
self.value = value
def accept(self, visitor):
return visitor.visit_literal_expr(self)
class Logical(Expr):
def __init__(self, left: Expr, operator: Token, right: Expr) -> None:
self.left = left
self.operator = operator
self.right = right
def accept(self, visitor):
return visitor.visit_logical_expr(self)
class Unary(Expr):
def __init__(self, operator: Token, right: Expr) -> None:
self.operator = operator
self.right = right
def accept(self, visitor):
return visitor.visit_unary_expr(self)
class Variable(Expr):
def __init__(self, name: Token) -> None:
self.name = name
def accept(self, visitor):
return visitor.visit_variable_expr(self)