-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathassembler.py
230 lines (213 loc) · 7.79 KB
/
assembler.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
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
#!/usr/bin/env python3
# Heavily based on this [reference card](http://csci206sp2020.courses.bucknell.edu/files/2020/01/riscv-card.pdf)
# and the official [spec](https://github.com/riscv/riscv-isa-manual/releases/download/Ratified-IMAFDQC/riscv-spec-20191213.pdf)
# written by our epic prof avinash
import argparse
import os
import os.path as path
import re
import sys
import rv32i
class AssemblyProgram:
def __init__(self, start_address=0, labels=None):
self.address = start_address
self.line_number = 0
self.labels = {}
if labels:
for k in labels:
self.labels[k] = labels[k]
self.parsed_lines = []
def parse_line(self, line):
self.line_number += 1
parsed = {}
line = line.strip()
parsed["original"] = line
line = re.sub("\s*#.*", "", line) # Remove comments.
match = re.search("^(\w+):", line)
if match:
self.labels[match.group(1)] = self.address
line = re.sub("^(\w+):\s*", "", line)
parsed["label"] = match.group(1)
match = re.search("^(\w+)\s*(.*)", line)
if not match:
return -1
parsed["line_number"] = self.line_number
parsed["instruction"] = match.group(1)
parsed["args"] = [x.strip() for x in match.group(2).split(",")]
# Handle psuedo-instructions.
if parsed["instruction"] == "nop":
parsed["instruction"] = "addi"
parsed["args"] = ["x0", "x0", "0"]
if parsed["instruction"] == "j":
parsed["instruction"] = "jal"
parsed["args"].insert(0, "x0")
if parsed["instruction"] == "jr":
parsed["instruction"] = "jalr"
parsed["args"].insert(0, "x0")
parsed["args"].append("0")
if parsed["instruction"] == "mv":
parsed["instruction"] = "addi"
parsed["args"].append("0")
if parsed["instruction"] == "not":
parsed["instruction"] = "xori"
parsed["args"].append("-1")
if parsed["instruction"] == "li":
raise NotImplemented("li is not supported")
if parsed["instruction"] == "bgt":
parsed["instruction"] = "blt"
parsed["args"] = [
parsed["args"][1],
parsed["args"][0],
parsed["args"][2],
]
if parsed["instruction"] == "bgez":
parsed["instruction"] = "bge"
parsed["args"].insert(1, "x0")
if parsed["instruction"] == "call":
print("Warning: call only works with nearby functions!")
parsed["instruction"] = "jal"
parsed["args"].insert(0, "ra")
if parsed["instruction"] == "ret":
parsed["instruction"] = "jalr"
parsed["args"] = ["x0", "ra", "0"]
self.address += 4
self.parsed_lines.append(parsed)
return parsed
def return_line(self,line,address):
try:
bits = rv32i.line_to_bits(
line, labels=self.labels, address=address
)
except rv32i.LineException as e:
print(
f"Error on line {line['line_number']} ({line['instruction']})"
)
print(f" {e}")
print(f" original line: {line['original']}")
return -1
except Exception as e:
print(f"Unhandled error, possible bug in assembler!!!")
print(
f"Error on line {line['line_number']} ({line['instruction']})"
)
print(f" {e}")
print(f" original line: {line['original']}")
raise e
return bits
def write_mem(self, fn, hex_notbin=True, disable_annotations=False):
output = []
address = 0
for line in self.parsed_lines:
try:
bits = rv32i.line_to_bits(
line, labels=self.labels, address=address
)
except rv32i.LineException as e:
print(
f"Error on line {line['line_number']} ({line['instruction']})"
)
print(f" {e}")
print(f" original line: {line['original']}")
return -1
except Exception as e:
print(f"Unhandled error, possible bug in assembler!!!")
print(
f"Error on line {line['line_number']} ({line['instruction']})"
)
print(f" {e}")
print(f" original line: {line['original']}")
raise e
address += 4
output.append((bits, line))
# Only write the file if the above completes without errors
with open(fn, "w") as f:
address = 0
for bits, line in output:
annotation = f" // PC={hex(address)} line={line['line_number']}: {line['original']}"
if disable_annotations:
annotation = ""
if hex_notbin:
f.write(f"{bits.hex}{annotation}\n")
else:
f.write(bits.bin + "\n")
address += 4
return 0
# copied mostly from write mem
def return_mem(self):
output = []
address = 0
for line in self.parsed_lines:
try:
bits = rv32i.line_to_bits(
line, labels=self.labels, address=address
)
except rv32i.LineException as e:
print(
f"Error on line {line['line_number']} ({line['instruction']})"
)
print(f" {e}")
print(f" original line: {line['original']}")
return -1
except Exception as e:
print(f"Unhandled error, possible bug in assembler!!!")
print(
f"Error on line {line['line_number']} ({line['instruction']})"
)
print(f" {e}")
print(f" original line: {line['original']}")
raise e
address += 4
output.append((bits, line))
# Only write the file if the above completes without errors
address = 0
output_dict={}
for bits, line in output:
annotation = f" // PC={hex(address)} line={line['line_number']}: {line['original']}"
output_dict[address] = bits
address += 4
return output_dict
def main():
parser = argparse.ArgumentParser()
parser.add_argument(
"input", help="input file name of human readable assembly"
)
parser.add_argument(
"-o",
"--output",
help="output file name of hex values in text that can be read from SystemVerilog's readmemh",
)
parser.add_argument(
"--disable_annotations",
action="store_true",
default=False,
help="Prints memh files without any annotations.",
)
parser.add_argument(
"-v",
"--verbose",
action="store_true",
help="increases verbosity of the script",
)
args = parser.parse_args()
if not path.exists(args.input):
raise Exception(f"input file {args.input} does not exist.")
ap = AssemblyProgram()
with open(args.input, "r") as f:
for line in f:
ap.parse_line(line)
if args.verbose:
print(f"Parsed {len(ap.parsed_lines)} instructions. Label table:")
print(
" " + ",\n ".join([f"{k} -> {ap.labels[k]}" for k in ap.labels])
)
if args.output:
sys.exit(
ap.write_mem(
args.output,
hex_notbin=not "memb" in args.output,
disable_annotations=args.disable_annotations,
)
)
sys.exit(0)
if __name__ == "__main__":
main()