-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathassembler.py
557 lines (443 loc) · 18 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
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
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
#!/usr/bin/env python3
import re
## Assembler specs given in the instructions pdf
#
# Sizing:
# Opcods are 4 bits
# Functions (secondary opcodes) are 4 bits
# Immediate operands are 16 bits
# Register indices are 4 bits (RS1, RS2, RD)
#
# Output should be big endian and be 2048 32 bit words (8192 bytes total)
VERBOSE = False
# Maps register names to their numbers
REGISTERS = {}
# Registers R0..R15
for i in range(16): REGISTERS["R%d" % i] = i
# Aliases
REGISTERS["A0"] = REGISTERS["R0"]
REGISTERS["A1"] = REGISTERS["R1"]
REGISTERS["A2"] = REGISTERS["R2"]
REGISTERS["A3"] = REGISTERS["R3"]
REGISTERS["RV"] = REGISTERS["R3"]
REGISTERS["T0"] = REGISTERS["R4"]
REGISTERS["T1"] = REGISTERS["R5"]
REGISTERS["S0"] = REGISTERS["R6"]
REGISTERS["S1"] = REGISTERS["R7"]
REGISTERS["S2"] = REGISTERS["R8"]
REGISTERS["GP"] = REGISTERS["R12"]
REGISTERS["FP"] = REGISTERS["R13"]
REGISTERS["SP"] = REGISTERS["R14"]
REGISTERS["RA"] = REGISTERS["R15"]
# print("System registers: \n %s" % "\n ".join(sorted(["%s: %d" % (r, n) for r, n in REGISTERS.items()])))
# print()
# Superclass for Instruction and
class Statement:
def __init__(self, statement):
self._word_address = None
self._statement = statement
# Word address of the statement as an int
@property
def word_address(self):
return self._word_address
@word_address.setter
def word_address(self, value):
if value != None and not isinstance(value, int):
raise TypeError("Word address must be an int")
self._word_address = value
@property
def statement(self):
return self._statement
# Returns a string containing the output "mif" format. Does not include a
# leading or trailing newline.
#
# @param labels A dictionary mapping label names to values
def generate_output_code(self, labels={}):
raise NotImplementedError()
class Label(Statement):
def __init__(self, statement, label):
super().__init__(statement)
self._label = label
@property
def label(self):
return self._label
def __str__(self):
return "Label(%s)" % self._label
def __repr__(self):
return __str__(self)
# Abstract superclass for the different instruction types.
class Instruction(Statement):
def __init__(self, statement, op, args=[]):
super().__init__(statement)
self._op = op
self._args = args
def generate_iword(self, labels):
raise NotImplementedError()
def generate_output_code(self, labels={}):
byte_address = "0x" + int2hex(self.word_address*4, 8)
out = "-- @ " + byte_address + " : " + self.statement.upper()
out += "\n"
out += hex(self.word_address)[2:].zfill(8) + ' : ' + self.generate_iword(labels) + ';'
return out
@property
def op(self):
return self._op
@property
def args(self):
return self._args
def __str__(self):
return "0x%08x: %-20s (%5s: %s)" % (self.word_address, self.__class__.__name__, self.op, str(self.args))
def __repr__(self):
return str(self)
OPCODES = {
'ADD': "0000 0000",
'SUB': "0001 0000",
'AND':"0100 0000",
'OR':"0101 0000",
'XOR':"0110 0000",
'NAND':"1100 0000",
'NOR':"1101 0000",
'XNOR':"1110 0000",
'ADDI': "0000 1000",
'SUBI': "0001 1000",
'ANDI': "0100 1000",
'ORI': "0101 1000",
'XORI': "0110 1000",
'NANDI': "1100 1000",
'NORI': "1101 1000",
'XNORI': "1110 1000",
'MVHI': "1011 1000",
'LW': "0000 1001",
'SW': "0000 0101",
'F': "0000 0010",
'EQ': "0001 0010",
'LT': "0010 0010",
'LTE': "0011 0010",
'T': "1000 0010",
'NE': "1001 0010",
'GTE': "1010 0010",
'GT': "1011 0010",
'FI': "0000 1010",
'EQI': "0001 1010",
'LTI': "0010 1010",
'LTEI': "0011 1010",
'TI': "1000 1010",
'NEI': "1001 1010",
'GTEI': "1010 1010",
'GTI': "1011 1010",
'BF': "0000 0110",
'BEQ': "0001 0110",
'BLT': "0010 0110",
'BLTE': "0011 0110",
'BEQZ': "0101 0110",
'BLTZ': "0110 0110",
'BLTEZ': "0111 0110",
'BT': "1000 0110",
'BNE': "1001 0110",
'BGTE': "1010 0110",
'BGT': "1011 0110",
'BNEZ': "1101 0110",
'BGTEZ': "1110 0110",
'BGTZ': "1111 0110",
'JAL': "0000 1011"
}
# remove spaces and convert to one hex byte (excluding the leading '0x')
OPCODES = {instr: hex(int(val.replace(' ', ''), 2))[2:].zfill(2) for instr, val in OPCODES.items()}
# print(OPCODES)
PC_RELATIVE_INSTRUCTIONS = [
'BF',
'BEQ',
'BLT',
'BLTE',
'BEQZ',
'BLTZ',
'BLTEZ',
'BT',
'BNE',
'BGTE',
'BGT',
'BNEZ',
'BGTEZ',
'BGTZ'
]
# Converts register name to an 4-bit hex string (no leading '0x')
def reg2hex(regname):
return int2hex(REGISTERS[regname], 1)
def int2hex(val, numchars):
return hex(val)[2:].zfill(numchars)
reg3ops = ['ADD', 'SUB', 'AND', 'OR', 'XOR', 'NAND', 'NOR', 'XNOR', 'F', 'EQ', 'LT', 'LTE', 'T', 'NE', 'GTE', 'GT']
reg2immops = ['ADDI', 'SUBI', 'ANDI', 'ORI', 'XORI', 'NANDI', 'NORI', 'XNORI', 'LW', 'SW', 'FI', 'EQI', 'LTI', 'LTEI',
'TI', 'NEI', 'GTEI', 'GTI', 'BF', 'BEQ', 'BLT', 'BLTE', 'BT', 'BNE', 'BGTE', 'BGT', 'JAL']
regimmops = ['MVHI', 'BEQZ', 'BLTZ', 'BLTEZ', 'BNEZ', 'BGTEZ', 'BGTZ']
# InstructionReg3 - ADD RD, RS1, RS2
class InstructionReg3(Instruction):
def generate_iword(self, labels):
if self.op not in reg3ops:
raise Exception("Invalid instruction usage '%s' at instruction '%s'" % (self.op, self.statement))
return ''.join([reg2hex(self.args[i]) for i in range(3)]) + '000' + OPCODES[self.op]
# InstructionReg2Imm - ADDI RD, RS1, imm; LW RD, imm(RS1)
class InstructionReg2Imm(Instruction):
def generate_iword(self, labels):
if self.op not in reg2immops:
raise Exception("Invalid instruction usage '%s' at instruction '%s'" % (self.op, self.statement))
# Reorder args for SW
args = [self.args[1], self.args[0], self.args[2]] if self.op == 'SW' else self.args
imm = self.args[2]
if imm[0:2] == '0x':
imm = imm[2:].zfill(4)
else:
if imm not in labels:
raise Exception("Nonexistent label used '%s' at instruction '%s'" % (imm, self.statement))
val = labels[imm]
if self.op in PC_RELATIVE_INSTRUCTIONS: val -= self.word_address + 1
imm = int2hex(val & 0xffffffff, 4)
return ''.join([reg2hex(args[i]) for i in range(2)]) + imm[-4:] + OPCODES[self.op]
# InstructionRegImm - MVHI RD, imm
class InstructionRegImm(Instruction):
def generate_iword(self, labels):
if self.op not in regimmops:
raise Exception("Invalid instruction usage '%s' at instruction '%s'" % (self.op, self.statement))
imm = self.args[1]
if imm[0:2] == '0x':
imm = imm[2:].zfill(8)
else:
if imm not in labels:
raise Exception("Nonexistent label used '%s' at instruction '%s'" % (imm, self.statement))
val = labels[imm]
if self.op in PC_RELATIVE_INSTRUCTIONS: val -= self.word_address + 1
imm = int2hex(val & 0xffffffff, 8)
return reg2hex(self.args[0]) + '0' + (imm[0:4] if self.op == 'MVHI' else imm[-4:]) + OPCODES[self.op]
# InstructionImm - BR imm
class InstructionImm(Instruction):
pass
# InstructionReg2 - NOT RD, RS
class InstructionReg2(Instruction):
pass
class Directive(Instruction):
def generate_iword(self, labels):
if self.op == '.WORD':
return self.args[0][2:].zfill(8)[-8:]
else:
raise NotImplementedError()
# Produce final output code.
#
# @param statements A list of Instruction and WordStatement objects with their
# word_address set correctly. All immediate values will be labels or
# hex strings without the leading '0x'.
# @param labels Name, value pairs from all labels and .NAME statements
# @return A string containing the formatted output mif code.
def generate_output(statements, labels={}):
# file header
result = """WIDTH=32;
DEPTH=2048;
ADDRESS_RADIX=HEX;
DATA_RADIX=HEX;
CONTENT BEGIN\n"""
statements.sort(key=lambda s: s.word_address)
def emit_deadspace(start, end):
nonlocal result
if start == end:
result += "%08x : DEAD;\n" % start
elif start < end:
result += "[%08x..%08x] : DEAD;\n" % (start, end)
prev_addr = None
for stmt in statements:
if prev_addr == None:
if stmt.word_address != 0:
emit_deadspace(0, stmt.word_address - 1)
elif prev_addr < stmt.word_address -1:
emit_deadspace(prev_addr + 1, stmt.word_address - 1)
result += stmt.generate_output_code(labels) + "\n"
prev_addr = stmt.word_address
emit_deadspace(prev_addr + 1, 2047)
result += "END;\n"
return result
def create_label_parser():
label = r'^(\w+):$'
return re.compile(label)
opcode = r'([A-Z]+)'
reg = '(' + '|'.join(list(zip(*REGISTERS.items()))[0]) + ')'
imm = r'(0x[0-9A-F]+)|(-?\d+)|(\w+)'
# handles 3 regs, 2 regs, 2 regs + imm, 1 reg + imm
def create_instr_regs_parser():
instr = r'^' + opcode + r'\s+' + reg + r'(?:,\s*' + reg + r')?,\s*' + r'(?:' + reg + r'|' + imm + r')$'
return re.compile(instr, re.I)
# handles reg, imm(reg)
def create_instr_addr_parser():
instr = r'^' + opcode + r'\s+(?:' + reg + r',\s*)?(?:' + imm + r')\s*\(\s*' + reg + r'\s*\)$'
return re.compile(instr, re.I)
def create_instr_br_parser():
instr = r'^BR\s*(?:' + imm + ')$'
return re.compile(instr, re.I)
def create_directive_parser():
directive = r'^\s*\.(?:ORIG\s+(?:(0x[0-9a-fA-F]+)|(-?\d+))|WORD\s+(?:' + imm + r')|NAME\s+(\w+)\s*=\s*(?:(0x[0-9a-fA-F]+)|(-?\d+)))\s*$'
return re.compile(directive, re.I)
def clean(lines):
lines = [l.split(';')[0] for l in lines]
i = 0
while i < len(lines):
idx = lines[i].find(':')
if idx != -1:
lines.insert(i+1, lines[i][idx+1:])
lines[i] = lines[i][0:idx+1]
i += 1
return [l.strip() for l in lines if l.strip()]
def parse_statements(lines):
instr_regs_parser = create_instr_regs_parser()
instr_addr_parser = create_instr_addr_parser()
instr_br_parser = create_instr_br_parser()
label_parser = create_label_parser()
directive_parser = create_directive_parser()
statements = []
for l, i in zip(lines, range(1, len(lines) + 1)):
l = ' '.join([p for p in l.split() if len(p) > 0])
match = instr_regs_parser.match(l)
if match:
value = hex(int(match.group(5) or match.group(6), 0) & 0xffff) if match.group(5) or match.group(6) else match.group(7)
instrClass = None
args = None
if value:
if match.group(3):
instrClass = InstructionReg2Imm
args = [match.group(2).upper(), match.group(3).upper(), value]
else:
instrClass = InstructionRegImm
args = [match.group(2).upper(), value]
else:
if match.group(3):
instrClass = InstructionReg3
args = [match.group(2).upper(), match.group(3).upper(), match.group(4).upper()]
else:
instrClass = InstructionReg2
args = [match.group(2).upper(), match.group(4).upper()]
statements.append(instrClass(l, match.group(1).upper(), args))
continue
match = instr_addr_parser.match(l)
if match:
value = hex(int(match.group(3) or match.group(4), 0) & 0xffff) if match.group(3) or match.group(4) else match.group(5)
instrClass = None
args = None
if match.group(2):
instrClass = InstructionReg2Imm
args = [match.group(2).upper(), match.group(6).upper(), value]
else:
instrClass = InstructionRegImm
args = [match.group(6).upper(), value]
statements.append(instrClass(l, match.group(1).upper(), args))
continue
match = instr_br_parser.match(l)
if match:
value = hex(int(match.group(1) or match.group(2), 0) & 0xffff) if match.group(1) or match.group(2) else match.group(3)
statements.append(InstructionImm(l, 'BR', [value]))
continue
match = label_parser.match(l)
if match:
label = match.group(1)
if label in REGISTERS or label in OPCODES:
raise Exception("Cannot use reserved keyword as label at statement %d: %s" % (i, l))
statements.append(Label(l, label))
continue
match = directive_parser.match(l)
if match:
if match.group(1) != None or match.group(2) != None:
value = hex(int(match.group(1) or match.group(2), 0) & 0xffffffff)
statements.append(Directive(l, '.ORIG', [value]))
elif match.group(3) != None or match.group(4) != None or match.group(5) != None:
value = hex(int(match.group(3) or match.group(4), 0) & 0xffffffff) if match.group(3) or match.group(4) else match.group(5)
statements.append(Directive(l, '.WORD', [value]))
else:
value = hex(int(match.group(7) or match.group(8), 0) & 0xffffffff)
name = match.group(6)
if name in REGISTERS or name in OPCODES:
raise Exception("Cannot use reserved keyword as name at statement %d: %s" % (i, l))
statements.append(Directive(l, '.NAME', [name, value]))
continue
match = re.match(r'^(RET)$', l, re.I)
if match:
statements.append(Instruction(l, 'RET'))
continue
raise Exception("Syntax error at statement %d: %s" % (i, l))
return statements
def expand_pseudo_ops(statements):
newStatements = []
for s in statements:
if isinstance(s, Instruction):
if s.op == 'BR':
newStatements.append(InstructionReg2Imm(s.statement, 'BEQ', ['R6', 'R6', s.args[0]]))
elif s.op == 'NOT':
newStatements.append(InstructionReg3(s.statement, 'NAND', [s.args[0], s.args[1], s.args[1]]))
elif s.op == 'BLE':
newStatements.append(InstructionReg3(s.statement, 'LTE', ['R9', s.args[0], s.args[1]]))
newStatements.append(InstructionRegImm(s.statement, 'BNEZ', ['R9', s.args[2]]))
elif s.op == 'BGE':
newStatements.append(InstructionReg3(s.statement, 'GTE', ['R9', s.args[0], s.args[1]]))
newStatements.append(InstructionRegImm(s.statement, 'BNEZ', ['R9', s.args[2]]))
elif s.op == 'CALL':
newStatements.append(InstructionReg2Imm(s.statement, 'JAL', ['RA', s.args[0], s.args[1]]))
elif s.op == 'RET':
newStatements.append(InstructionReg2Imm(s.statement, 'JAL', ['R9', 'RA', '0x0']))
elif s.op == 'JMP':
newStatements.append(InstructionReg2Imm(s.statement, 'JAL', ['R9', s.args[0], s.args[1]]))
elif not isinstance(s, Directive) and s.op not in OPCODES:
raise Exception("Invalid opcode %s at statement %s" % (s.op, s.statement))
else:
newStatements.append(s)
else:
newStatements.append(s)
return newStatements
def assign_addresses(statements):
physical_statements = []
labels = {}
current_address = None
for s in statements:
if isinstance(s, Directive):
if s.op == '.ORIG':
current_address = int(int(s.args[0], 0) / 4)
elif s.op == '.NAME':
labels[s.args[0]] = int(s.args[1], 0)
elif s.op == '.WORD':
if current_address == None:
raise Exception(".WORD directive found before .ORIG %s" % str(s))
s.word_address = current_address
physical_statements.append(s)
current_address += 1
elif isinstance(s, Instruction):
if current_address == None:
raise Exception("Instruction found before .ORIG %s" % str(s))
s.word_address = current_address
physical_statements.append(s)
current_address += 1
elif isinstance(s, Label):
if current_address == None:
raise Exception("Label found before .ORIG %s" % str(s))
labels[s.label] = current_address
return (physical_statements, labels)
def assemble(fileIn, fileOut):
lines = clean([l for l in open(fileIn)])
if VERBOSE: print(repr(lines))
statements = parse_statements(lines)
statements = expand_pseudo_ops(statements)
statements, labels = assign_addresses(statements)
if VERBOSE:
print("\nStatements:")
for s in statements:
print(str(s))
print("\nLabels:")
for l, v in labels.items():
print("0x%08x: %s" % (v, l))
output = generate_output(statements, labels)
# write output file
with open(fileOut, 'w') as f:
f.write(output)
if __name__ == '__main__':
import sys
if len(sys.argv) != 3:
print("Usage: assembler.py inputFile outputFile")
sys.exit(-1)
try:
assemble(sys.argv[1], sys.argv[2])
except Exception as e:
print("Error occurred while assembling: %s" % str(e))
import traceback
traceback.print_exc(file=sys.stdout)
sys.exit(-1)