add absadd (unsigned) DRAFT
[openpower-isa.git] / src / openpower / sv / trans / svp64.py
1 # SPDX-License-Identifier: LGPLv3+
2 # Copyright (C) 2021 Luke Kenneth Casson Leighton <lkcl@lkcl.net>
3 # Funded by NLnet http://nlnet.nl
4
5 """SVP64 OpenPOWER v3.0B assembly translator
6
7 This class takes raw svp64 assembly mnemonics (aliases excluded) and creates
8 an EXT001-encoded "svp64 prefix" (as a .long) followed by a v3.0B opcode.
9
10 It is very simple and straightforward, the only weirdness being the
11 extraction of the register information and conversion to v3.0B numbering.
12
13 Encoding format of svp64: https://libre-soc.org/openpower/sv/svp64/
14 Encoding format of arithmetic: https://libre-soc.org/openpower/sv/normal/
15 Encoding format of LDST: https://libre-soc.org/openpower/sv/ldst/
16 **TODO format of branches: https://libre-soc.org/openpower/sv/branches/**
17 **TODO format of CRs: https://libre-soc.org/openpower/sv/cr_ops/**
18 Bugtracker: https://bugs.libre-soc.org/show_bug.cgi?id=578
19 """
20
21 import os
22 import sys
23 from collections import OrderedDict
24
25 from openpower.decoder.isa.caller import (SVP64PrefixFields, SV64P_MAJOR_SIZE,
26 SV64P_PID_SIZE, SVP64RMFields,
27 SVP64RM_EXTRA2_SPEC_SIZE,
28 SVP64RM_EXTRA3_SPEC_SIZE,
29 SVP64RM_MODE_SIZE, SVP64RM_SMASK_SIZE,
30 SVP64RM_MMODE_SIZE, SVP64RM_MASK_SIZE,
31 SVP64RM_SUBVL_SIZE, SVP64RM_EWSRC_SIZE,
32 SVP64RM_ELWIDTH_SIZE)
33 from openpower.decoder.pseudo.pagereader import ISA
34 from openpower.decoder.power_svp64 import SVP64RM, get_regtype, decode_extra
35 from openpower.decoder.selectable_int import SelectableInt
36 from openpower.consts import SVP64MODE
37
38 # for debug logging
39 from openpower.util import log
40
41
42 # decode GPR into sv extra
43 def get_extra_gpr(etype, regmode, field):
44 if regmode == 'scalar':
45 # cut into 2-bits 5-bits SS FFFFF
46 sv_extra = field >> 5
47 field = field & 0b11111
48 else:
49 # cut into 5-bits 2-bits FFFFF SS
50 sv_extra = field & 0b11
51 field = field >> 2
52 return sv_extra, field
53
54
55 # decode 3-bit CR into sv extra
56 def get_extra_cr_3bit(etype, regmode, field):
57 if regmode == 'scalar':
58 # cut into 2-bits 3-bits SS FFF
59 sv_extra = field >> 3
60 field = field & 0b111
61 else:
62 # cut into 3-bits 4-bits FFF SSSS but will cut 2 zeros off later
63 sv_extra = field & 0b1111
64 field = field >> 4
65 return sv_extra, field
66
67
68 # decodes SUBVL
69 def decode_subvl(encoding):
70 pmap = {'2': 0b01, '3': 0b10, '4': 0b11}
71 assert encoding in pmap, \
72 "encoding %s for SUBVL not recognised" % encoding
73 return pmap[encoding]
74
75
76 # decodes elwidth
77 def decode_elwidth(encoding):
78 pmap = {'8': 0b11, '16': 0b10, '32': 0b01}
79 assert encoding in pmap, \
80 "encoding %s for elwidth not recognised" % encoding
81 return pmap[encoding]
82
83
84 # decodes predicate register encoding
85 def decode_predicate(encoding):
86 pmap = { # integer
87 '1<<r3': (0, 0b001),
88 'r3': (0, 0b010),
89 '~r3': (0, 0b011),
90 'r10': (0, 0b100),
91 '~r10': (0, 0b101),
92 'r30': (0, 0b110),
93 '~r30': (0, 0b111),
94 # CR
95 'lt': (1, 0b000),
96 'nl': (1, 0b001), 'ge': (1, 0b001), # same value
97 'gt': (1, 0b010),
98 'ng': (1, 0b011), 'le': (1, 0b011), # same value
99 'eq': (1, 0b100),
100 'ne': (1, 0b101),
101 'so': (1, 0b110), 'un': (1, 0b110), # same value
102 'ns': (1, 0b111), 'nu': (1, 0b111), # same value
103 }
104 assert encoding in pmap, \
105 "encoding %s for predicate not recognised" % encoding
106 return pmap[encoding]
107
108
109 # decodes "Mode" in similar way to BO field (supposed to, anyway)
110 def decode_bo(encoding):
111 pmap = { # TODO: double-check that these are the same as Branch BO
112 'lt': 0b000,
113 'nl': 0b001, 'ge': 0b001, # same value
114 'gt': 0b010,
115 'ng': 0b011, 'le': 0b011, # same value
116 'eq': 0b100,
117 'ne': 0b101,
118 'so': 0b110, 'un': 0b110, # same value
119 'ns': 0b111, 'nu': 0b111, # same value
120 }
121 assert encoding in pmap, \
122 "encoding %s for BO Mode not recognised" % encoding
123 return pmap[encoding]
124
125 # partial-decode fail-first mode
126
127
128 def decode_ffirst(encoding):
129 if encoding in ['RC1', '~RC1']:
130 return encoding
131 return decode_bo(encoding)
132
133
134 def decode_reg(field):
135 # decode the field number. "5.v" or "3.s" or "9"
136 field = field.split(".")
137 regmode = 'scalar' # default
138 if len(field) == 2:
139 if field[1] == 's':
140 regmode = 'scalar'
141 elif field[1] == 'v':
142 regmode = 'vector'
143 field = int(field[0]) # actual register number
144 return field, regmode
145
146
147 def decode_imm(field):
148 ldst_imm = "(" in field and field[-1] == ')'
149 if ldst_imm:
150 return field[:-1].split("(")
151 else:
152 return None, field
153
154
155 def crf_extra(etype, regmode, field, extras):
156 """takes a CR Field number (CR0-CR127), splits into EXTRA2/3 and v3.0
157 the scalar/vector mode (crNN.v or crNN.s) changes both the format
158 of the EXTRA2/3 encoding as well as what range of registers is possible.
159 this function can be used for both BF/BFA and BA/BB/BT by first removing
160 the bottom 2 bits of BA/BB/BT then re-instating them after encoding.
161 see https://libre-soc.org/openpower/sv/svp64/appendix/#cr_extra
162 for specification
163 """
164 sv_extra, field = get_extra_cr_3bit(etype, regmode, field)
165 # now sanity-check (and shrink afterwards)
166 if etype == 'EXTRA2':
167 # 3-bit CR Field (BF, BFA) EXTRA2 encoding
168 if regmode == 'scalar':
169 # range is CR0-CR15 in increments of 1
170 assert (sv_extra >> 1) == 0, \
171 "scalar CR %s cannot fit into EXTRA2 %s" % \
172 (rname, str(extras[extra_idx]))
173 # all good: encode as scalar
174 sv_extra = sv_extra & 0b01
175 else: # vector
176 # range is CR0-CR127 in increments of 16
177 assert sv_extra & 0b111 == 0, \
178 "vector CR %s cannot fit into EXTRA2 %s" % \
179 (rname, str(extras[extra_idx]))
180 # all good: encode as vector (bit 2 set)
181 sv_extra = 0b10 | (sv_extra >> 3)
182 else:
183 # 3-bit CR Field (BF, BFA) EXTRA3 encoding
184 if regmode == 'scalar':
185 # range is CR0-CR31 in increments of 1
186 assert (sv_extra >> 2) == 0, \
187 "scalar CR %s cannot fit into EXTRA3 %s" % \
188 (rname, str(extras[extra_idx]))
189 # all good: encode as scalar
190 sv_extra = sv_extra & 0b11
191 else: # vector
192 # range is CR0-CR127 in increments of 8
193 assert sv_extra & 0b11 == 0, \
194 "vector CR %s cannot fit into EXTRA3 %s" % \
195 (rname, str(extras[extra_idx]))
196 # all good: encode as vector (bit 3 set)
197 sv_extra = 0b100 | (sv_extra >> 2)
198 return sv_extra, field
199
200
201 # decodes svp64 assembly listings and creates EXT001 svp64 prefixes
202 class SVP64Asm:
203 def __init__(self, lst, bigendian=False, macros=None):
204 if macros is None:
205 macros = {}
206 self.macros = macros
207 self.lst = lst
208 self.trans = self.translate(lst)
209 self.isa = ISA() # reads the v3.0B pseudo-code markdown files
210 self.svp64 = SVP64RM() # reads the svp64 Remap entries for registers
211 assert bigendian == False, "error, bigendian not supported yet"
212
213 def __iter__(self):
214 yield from self.trans
215
216 def translate_one(self, insn, macros=None):
217 if macros is None:
218 macros = {}
219 macros.update(self.macros)
220 isa = self.isa
221 svp64 = self.svp64
222 # find first space, to get opcode
223 ls = insn.split(' ')
224 opcode = ls[0]
225 # now find opcode fields
226 fields = ''.join(ls[1:]).split(',')
227 mfields = list(map(str.strip, fields))
228 log("opcode, fields", ls, opcode, mfields)
229 fields = []
230 # macro substitution
231 for field in mfields:
232 fields.append(macro_subst(macros, field))
233 log("opcode, fields substed", ls, opcode, fields)
234
235 # this is a *32-bit-only* instruction. it controls SVSTATE.
236 # it is *not* a 64-bit-prefixed Vector instruction (no sv.setvl),
237 # it is a Vector *control* instruction.
238 # note: EXT022 is the "sandbox" major opcode so it's fine to add
239
240 # sigh have to do setvl here manually for now...
241 # note the subtract one from SVi.
242 if opcode in ["setvl", "setvl."]:
243 # 1.6.28 SVL-FORM - from fields.txt
244 # |0 |6 |11 |16 |23 |24 |25 |26 |31 |
245 # | PO | RT | RA | SVi |ms |vs |vf | XO |Rc |
246 insn = 22 << (31-5) # opcode 22, bits 0-5
247 fields = list(map(int, fields))
248 insn |= fields[0] << (31-10) # RT , bits 6-10
249 insn |= fields[1] << (31-15) # RA , bits 11-15
250 insn |= (fields[2]-1) << (31-22) # SVi , bits 16-22
251 insn |= fields[3] << (31-25) # vf , bit 25
252 insn |= fields[4] << (31-24) # vs , bit 24
253 insn |= fields[5] << (31-23) # ms , bit 23
254 insn |= 0b11011 << (31-30) # XO , bits 26..30
255 if opcode == 'setvl.':
256 insn |= 1 << (31-31) # Rc=1 , bit 31
257 log("setvl", bin(insn))
258 yield ".long 0x%x" % insn
259 return
260
261 # this is a 32-bit instruction. it updates SVSTATE.
262 # it *can* be SVP64-prefixed, to indicate that its registers
263 # are Vectorised.
264 # note: EXT022 is the "sandbox" major opcode so it's fine to add
265
266 # sigh have to do setvl here manually for now...
267 # note the subtract one from SVi.
268 if opcode in ["svstep", "svstep."]:
269 # 1.6.28 SVL-FORM - from fields.txt
270 # |0 |6 |11 |16 |23 |24 |25 |26 |31 |
271 # | PO | RT | RA | SVi |ms |vs |vf | XO |Rc |
272 insn = 22 << (31-5) # opcode 22, bits 0-5
273 fields = list(map(int, fields))
274 insn |= fields[0] << (31-10) # RT , bits 6-10
275 insn |= (fields[1]-1) << (31-22) # SVi , bits 16-22
276 insn |= fields[2] << (31-25) # vf , bit 25
277 insn |= 0b10011 << (31-30) # XO , bits 26..30
278 if opcode == 'svstep.':
279 insn |= 1 << (31-31) # Rc=1 , bit 31
280 log("svstep", bin(insn))
281 yield ".long 0x%x" % insn
282 return
283
284 # this is a *32-bit-only* instruction. it updates SVSHAPE and SVSTATE.
285 # it is *not* a 64-bit-prefixed Vector instruction (no sv.svshape),
286 # it is a Vector *control* instruction.
287 # note: EXT022 is the "sandbox" major opcode so it's fine to add
288
289 # and svshape. note that the dimension fields one subtracted from each
290 if opcode == 'svshape':
291 # 1.6.33 SVM-FORM from fields.txt
292 # |0 |6 |11 |16 |21 |25 |26 |31 |
293 # |PO | SVxd | SVyd | SVzd | SVRM |vf | XO | / |
294 insn = 22 << (31-5) # opcode 22, bits 0-5
295 fields = list(map(int, fields))
296 insn |= (fields[0]-1) << (31-10) # SVxd , bits 6-10
297 insn |= (fields[1]-1) << (31-15) # SVyd , bits 11-15
298 insn |= (fields[2]-1) << (31-20) # SVzd , bits 16-20
299 insn |= (fields[3]) << (31-24) # SVRM , bits 21-24
300 insn |= (fields[4]) << (31-25) # vf , bits 25
301 insn |= 0b011001 << (31-31) # XO , bits 26..31
302 #insn &= ((1<<32)-1)
303 log("svshape", bin(insn))
304 yield ".long 0x%x" % insn
305 return
306
307 # this is a *32-bit-only* instruction. it updates the SVSHAPE SPR
308 # it is *not* a 64-bit-prefixed Vector instruction (no sv.svremap),
309 # it is a Vector *control* instruction.
310 # note: EXT022 is the "sandbox" major opcode so it's fine to add
311
312 # and svremap
313 if opcode == 'svremap':
314 # 1.6.34 SVRM-FORM from fields.txt
315 # |0 |6 |11 |13 |15 |17 |19 |21 |22 |26 |31 |
316 # |PO | SVme |mi0 | mi1 | mi2 | mo0 | mo1 |pst |/// | XO | / |
317 insn = 22 << (31-5) # opcode 22, bits 0-5
318 fields = list(map(int, fields))
319 insn |= fields[0] << (31-10) # SVme , bits 6-10
320 insn |= fields[1] << (31-12) # mi0 , bits 11-12
321 insn |= fields[2] << (31-14) # mi1 , bits 13-14
322 insn |= fields[3] << (31-16) # mi2 , bits 15-16
323 insn |= fields[4] << (31-18) # m00 , bits 17-18
324 insn |= fields[5] << (31-20) # m01 , bits 19-20
325 insn |= fields[6] << (31-21) # pst , bit 21
326 insn |= 0b111001 << (31-31) # XO , bits 26..31
327 log("svremap", bin(insn))
328 yield ".long 0x%x" % insn
329 return
330
331 # ok from here-on down these are added as 32-bit instructions
332 # and are here only because binutils (at present) doesn't have
333 # them (that's being fixed!)
334 # they can - if implementations then choose - be Vectorised
335 # (sv.fsins) because they are general-purpose scalar instructions
336
337 # and fsins
338 # XXX WARNING THESE ARE NOT APPROVED BY OPF ISA WG
339 # however we are out of space with opcode 22
340 if opcode.startswith('fsins'):
341 fields = list(map(int, fields))
342 insn = 59 << (31-5) # opcode 59, bits 0-5
343 insn |= fields[0] << (31-10) # RT , bits 6-10
344 insn |= fields[1] << (31-20) # RB , bits 16-20
345 insn |= 0b1000001110 << (31-30) # XO , bits 21..30
346 if opcode == 'fsins.':
347 insn |= 1 << (31-31) # Rc=1 , bit 31
348 log("fsins", bin(insn))
349 yield ".long 0x%x" % insn
350 return
351
352 # and fcoss
353 # XXX WARNING THESE ARE NOT APPROVED BY OPF ISA WG
354 # however we are out of space with opcode 22
355 if opcode.startswith('fcoss'):
356 fields = list(map(int, fields))
357 insn = 59 << (31-5) # opcode 59, bits 0-5
358 insn |= fields[0] << (31-10) # RT , bits 6-10
359 insn |= fields[1] << (31-20) # RB , bits 16-20
360 insn |= 0b1000101110 << (31-30) # XO , bits 21..30
361 if opcode == 'fcoss.':
362 insn |= 1 << (31-31) # Rc=1 , bit 31
363 log("fcoss", bin(insn))
364 yield ".long 0x%x" % insn
365 return
366
367 # XXX WARNING THESE ARE NOT APPROVED BY OPF ISA WG
368 # however we are out of space with opcode 22
369 if opcode in ('ternlogi', 'ternlogi.'):
370 po = 5
371 xo = 0
372 rt = int(fields[0])
373 ra = int(fields[1])
374 rb = int(fields[2])
375 imm = int(fields[3])
376 rc = '.' in opcode
377 instr = po
378 instr = (instr << 5) | rt
379 instr = (instr << 5) | ra
380 instr = (instr << 5) | rb
381 instr = (instr << 8) | imm
382 instr = (instr << 2) | xo
383 instr = (instr << 1) | rc
384 asm = f"{opcode} {rt}, {ra}, {rb}, {imm}"
385 yield f".4byte {hex(instr)} # {asm}"
386 return
387
388 # XXX WARNING THESE ARE NOT APPROVED BY OPF ISA WG
389 # however we are out of space with opcode 22
390 if opcode in ('grev', 'grevi', 'grevw', 'grevwi',
391 'grev.', 'grevi.', 'grevw.', 'grevwi.'):
392 po = 5
393 # _ matches fields in table at:
394 # https://libre-soc.org/openpower/sv/bitmanip/
395 xo = 0b1_0010_110
396 if 'w' in opcode:
397 xo |= 0b100_000
398 if 'i' in opcode:
399 xo |= 0b1000_000
400 Rc = 1 if '.' in opcode else 0
401 rt = int(fields[0])
402 ra = int(fields[1])
403 rb_imm = int(fields[2])
404 instr = po
405 instr = (instr << 5) | rt
406 instr = (instr << 5) | ra
407 if opcode == 'grevi' or opcode == 'grevi.':
408 assert 0 <= rb_imm < 64
409 instr = (instr << 6) | rb_imm
410 instr = (instr << 9) | xo
411 else:
412 assert 0 <= rb_imm < 32
413 instr = (instr << 5) | rb_imm
414 instr = (instr << 10) | xo
415 instr = (instr << 1) | Rc
416 asm = f"{opcode} {rt}, {ra}, {rb_imm}"
417 yield f".4byte {hex(instr)} # {asm}"
418 return
419
420 # and min/max
421 # XXX WARNING THESE ARE NOT APPROVED BY OPF ISA WG
422 if opcode in ['mins', 'maxs', 'minu', 'maxu',
423 'mins.', 'maxs.', 'minu.', 'maxu.']:
424 if opcode[:4] == 'maxs':
425 XO = 0b0111001110
426 if opcode[:4] == 'maxu':
427 XO = 0b0011001110
428 if opcode[:4] == 'mins':
429 XO = 0b0101001110
430 if opcode[:4] == 'minu':
431 XO = 0b0001001110
432 fields = list(map(int, fields))
433 insn = 22 << (31-5) # opcode 22, bits 0-5
434 insn |= fields[0] << (31-10) # RT , bits 6-10
435 insn |= fields[1] << (31-15) # RA , bits 11-15
436 insn |= fields[2] << (31-20) # RB , bits 16-20
437 insn |= XO << (31-30) # XO , bits 21..30
438 if opcode.endswith('.'):
439 insn |= 1 << (31-31) # Rc=1 , bit 31
440 log("maxs", bin(insn))
441 yield ".long 0x%x" % insn
442 return
443
444 # and avgadd, absdu, absaddu, absadds
445 # XXX WARNING THESE ARE NOT APPROVED BY OPF ISA WG
446 if opcode in ['avgadd', 'absdu', 'absaddu', 'absadds']:
447 if opcode[:5] == 'absdu':
448 XO = 0b1011110110
449 elif opcode[:6] == 'avgadd':
450 XO = 0b1101001110
451 elif opcode[:7] == 'absaddu':
452 XO = 0b1111110110
453 elif opcode[:7] == 'absadds':
454 XO = 0b0111110110
455 fields = list(map(int, fields))
456 insn = 22 << (31-5) # opcode 22, bits 0-5
457 insn |= fields[0] << (31-10) # RT , bits 6-10
458 insn |= fields[1] << (31-15) # RA , bits 11-15
459 insn |= fields[2] << (31-20) # RB , bits 16-20
460 insn |= XO << (31-30) # XO , bits 21..30
461 if opcode.endswith('.'):
462 insn |= 1 << (31-31) # Rc=1 , bit 31
463 log(opcode, bin(insn))
464 yield ".long 0x%x" % insn
465 return
466
467 # identify if is a svp64 mnemonic
468 if not opcode.startswith('sv.'):
469 yield insn # unaltered
470 return
471 opcode = opcode[3:] # strip leading "sv"
472
473 # start working on decoding the svp64 op: sv.basev30Bop/vec2/mode
474 opmodes = opcode.split("/") # split at "/"
475 v30b_op = opmodes.pop(0) # first is the v3.0B
476 # check instruction ends with dot
477 rc_mode = v30b_op.endswith('.')
478 if rc_mode:
479 v30b_op = v30b_op[:-1]
480
481 # sigh again, have to recognised LD/ST bit-reverse instructions
482 # this has to be "processed" to fit into a v3.0B without the "sh"
483 # e.g. ldsh is actually ld
484 ldst_shift = v30b_op.startswith("l") and v30b_op.endswith("sh")
485
486 if v30b_op not in isa.instr:
487 raise Exception("opcode %s of '%s' not supported" %
488 (v30b_op, insn))
489
490 if ldst_shift:
491 # okaay we need to process the fields and make this:
492 # ldsh RT, SVD(RA), RC - 11 bits for SVD, 5 for RC
493 # into this:
494 # ld RT, D(RA) - 16 bits
495 # likewise same for SVDS (9 bits for SVDS, 5 for RC, 14 bits for DS)
496 form = isa.instr[v30b_op].form # get form (SVD-Form, SVDS-Form)
497
498 newfields = []
499 for field in fields:
500 # identify if this is a ld/st immediate(reg) thing
501 ldst_imm = "(" in field and field[-1] == ')'
502 if ldst_imm:
503 newfields.append(field[:-1].split("("))
504 else:
505 newfields.append(field)
506
507 immed, RA = newfields[1]
508 immed = int(immed)
509 RC = int(newfields.pop(2)) # better be an integer number!
510 if form == 'SVD': # 16 bit: immed 11 bits, RC shift up 11
511 immed = (immed & 0b11111111111) | (RC << 11)
512 if immed & (1 << 15): # should be negative
513 immed -= 1 << 16
514 if form == 'SVDS': # 14 bit: immed 9 bits, RC shift up 9
515 immed = (immed & 0b111111111) | (RC << 9)
516 if immed & (1 << 13): # should be negative
517 immed -= 1 << 14
518 newfields[1] = "%d(%s)" % (immed, RA)
519 fields = newfields
520
521 # and strip off "sh" from end, and add "sh" to opmodes, instead
522 v30b_op = v30b_op[:-2]
523 opmodes.append("sh")
524 log("rewritten", v30b_op, opmodes, fields)
525
526 if v30b_op not in svp64.instrs:
527 raise Exception("opcode %s of '%s' not an svp64 instruction" %
528 (v30b_op, insn))
529 v30b_regs = isa.instr[v30b_op].regs[0] # get regs info "RT, RA, RB"
530 rm = svp64.instrs[v30b_op] # one row of the svp64 RM CSV
531 log("v3.0B op", v30b_op, "Rc=1" if rc_mode else '')
532 log("v3.0B regs", opcode, v30b_regs)
533 log("RM", rm)
534
535 # right. the first thing to do is identify the ordering of
536 # the registers, by name. the EXTRA2/3 ordering is in
537 # rm['0']..rm['3'] but those fields contain the names RA, BB
538 # etc. we have to read the pseudocode to understand which
539 # reg is which in our instruction. sigh.
540
541 # first turn the svp64 rm into a "by name" dict, recording
542 # which position in the RM EXTRA it goes into
543 # also: record if the src or dest was a CR, for sanity-checking
544 # (elwidth overrides on CRs are banned)
545 decode = decode_extra(rm)
546 dest_reg_cr, src_reg_cr, svp64_src, svp64_dest = decode
547
548 log("EXTRA field index, src", svp64_src)
549 log("EXTRA field index, dest", svp64_dest)
550
551 # okaaay now we identify the field value (opcode N,N,N) with
552 # the pseudo-code info (opcode RT, RA, RB)
553 assert len(fields) == len(v30b_regs), \
554 "length of fields %s must match insn `%s` fields %s" % \
555 (str(v30b_regs), insn, str(fields))
556 opregfields = zip(fields, v30b_regs) # err that was easy
557
558 # now for each of those find its place in the EXTRA encoding
559 # note there is the possibility (for LD/ST-with-update) of
560 # RA occurring **TWICE**. to avoid it getting added to the
561 # v3.0B suffix twice, we spot it as a duplicate, here
562 extras = OrderedDict()
563 for idx, (field, regname) in enumerate(opregfields):
564 imm, regname = decode_imm(regname)
565 rtype = get_regtype(regname)
566 log(" idx find", rtype, idx, field, regname, imm)
567 if rtype is None:
568 # probably an immediate field, append it straight
569 extras[('imm', idx, False)] = (idx, field, None, None, None)
570 continue
571 extra = svp64_src.get(regname, None)
572 if extra is not None:
573 extra = ('s', extra, False) # not a duplicate
574 extras[extra] = (idx, field, regname, rtype, imm)
575 log(" idx src", idx, extra, extras[extra])
576 dextra = svp64_dest.get(regname, None)
577 log("regname in", regname, dextra)
578 if dextra is not None:
579 is_a_duplicate = extra is not None # duplicate spotted
580 dextra = ('d', dextra, is_a_duplicate)
581 extras[dextra] = (idx, field, regname, rtype, imm)
582 log(" idx dst", idx, extra, extras[dextra])
583
584 # great! got the extra fields in their associated positions:
585 # also we know the register type. now to create the EXTRA encodings
586 etype = rm['Etype'] # Extra type: EXTRA3/EXTRA2
587 ptype = rm['Ptype'] # Predication type: Twin / Single
588 extra_bits = 0
589 v30b_newfields = []
590 for extra_idx, (idx, field, rname, rtype, iname) in extras.items():
591 # is it a field we don't alter/examine? if so just put it
592 # into newfields
593 if rtype is None:
594 v30b_newfields.append(field)
595 continue
596
597 # identify if this is a ld/st immediate(reg) thing
598 ldst_imm = "(" in field and field[-1] == ')'
599 if ldst_imm:
600 immed, field = field[:-1].split("(")
601
602 field, regmode = decode_reg(field)
603 log(" ", extra_idx, rname, rtype,
604 regmode, iname, field, end=" ")
605
606 # see Mode field https://libre-soc.org/openpower/sv/svp64/
607 # XXX TODO: the following is a bit of a laborious repeated
608 # mess, which could (and should) easily be parameterised.
609 # XXX also TODO: the LD/ST modes which are different
610 # https://libre-soc.org/openpower/sv/ldst/
611
612 # rright. SVP64 register numbering is from 0 to 127
613 # for GPRs, FPRs *and* CR Fields, where for v3.0 the GPRs and RPFs
614 # are 0-31 and CR Fields are only 0-7. the SVP64 RM "Extra"
615 # area is used to extend the numbering from the 32-bit
616 # instruction, and also to record whether the register
617 # is scalar or vector. on a per-operand basis. this
618 # results in a slightly finnicky encoding: here we go...
619
620 # encode SV-GPR and SV-FPR field into extra, v3.0field
621 if rtype in ['GPR', 'FPR']:
622 sv_extra, field = get_extra_gpr(etype, regmode, field)
623 # now sanity-check. EXTRA3 is ok, EXTRA2 has limits
624 # (and shrink to a single bit if ok)
625 if etype == 'EXTRA2':
626 if regmode == 'scalar':
627 # range is r0-r63 in increments of 1
628 assert (sv_extra >> 1) == 0, \
629 "scalar GPR %s cannot fit into EXTRA2 %s" % \
630 (rname, str(extras[extra_idx]))
631 # all good: encode as scalar
632 sv_extra = sv_extra & 0b01
633 else:
634 # range is r0-r127 in increments of 2 (r0 r2 ... r126)
635 assert sv_extra & 0b01 == 0, \
636 "%s: vector field %s cannot fit " \
637 "into EXTRA2 %s" % \
638 (insn, rname, str(extras[extra_idx]))
639 # all good: encode as vector (bit 2 set)
640 sv_extra = 0b10 | (sv_extra >> 1)
641 elif regmode == 'vector':
642 # EXTRA3 vector bit needs marking
643 sv_extra |= 0b100
644
645 # encode SV-CR 3-bit field into extra, v3.0field.
646 # 3-bit is for things like BF and BFA
647 elif rtype == 'CR_3bit':
648 sv_extra, field = crf_extra(etype, regmode, field, extras)
649
650 # encode SV-CR 5-bit field into extra, v3.0field
651 # 5-bit is for things like BA BB BC BT etc.
652 # *sigh* this is the same as 3-bit except the 2 LSBs of the
653 # 5-bit field are passed through unaltered.
654 elif rtype == 'CR_5bit':
655 cr_subfield = field & 0b11 # record bottom 2 bits for later
656 field = field >> 2 # strip bottom 2 bits
657 # use the exact same 3-bit function for the top 3 bits
658 sv_extra, field = crf_extra(etype, regmode, field, extras)
659 # reconstruct the actual 5-bit CR field (preserving the
660 # bottom 2 bits, unaltered)
661 field = (field << 2) | cr_subfield
662
663 else:
664 raise Exception("no type match: %s" % rtype)
665
666 # capture the extra field info
667 log("=>", "%5s" % bin(sv_extra), field)
668 extras[extra_idx] = sv_extra
669
670 # append altered field value to v3.0b, differs for LDST
671 # note that duplicates are skipped e.g. EXTRA2 contains
672 # *BOTH* s:RA *AND* d:RA which happens on LD/ST-with-update
673 srcdest, idx, duplicate = extra_idx
674 if duplicate: # skip adding to v3.0b fields, already added
675 continue
676 if ldst_imm:
677 v30b_newfields.append(("%s(%s)" % (immed, str(field))))
678 else:
679 v30b_newfields.append(str(field))
680
681 log("new v3.0B fields", v30b_op, v30b_newfields)
682 log("extras", extras)
683
684 # rright. now we have all the info. start creating SVP64 RM
685 svp64_rm = SVP64RMFields()
686
687 # begin with EXTRA fields
688 for idx, sv_extra in extras.items():
689 log(idx)
690 if idx is None:
691 continue
692 if idx[0] == 'imm':
693 continue
694 srcdest, idx, duplicate = idx
695 if etype == 'EXTRA2':
696 svp64_rm.extra2[idx].eq(
697 SelectableInt(sv_extra, SVP64RM_EXTRA2_SPEC_SIZE))
698 else:
699 svp64_rm.extra3[idx].eq(
700 SelectableInt(sv_extra, SVP64RM_EXTRA3_SPEC_SIZE))
701
702 # identify if the op is a LD/ST. the "blegh" way. copied
703 # from power_enums. TODO, split the list _insns down.
704 is_ld = v30b_op in [
705 "lbarx", "lbz", "lbzu", "lbzux", "lbzx", # load byte
706 "ld", "ldarx", "ldbrx", "ldu", "ldux", "ldx", # load double
707 "lfs", "lfsx", "lfsu", "lfsux", # FP load single
708 "lfd", "lfdx", "lfdu", "lfdux", "lfiwzx", "lfiwax", # FP load dbl
709 "lha", "lharx", "lhau", "lhaux", "lhax", # load half
710 "lhbrx", "lhz", "lhzu", "lhzux", "lhzx", # more load half
711 "lwa", "lwarx", "lwaux", "lwax", "lwbrx", # load word
712 "lwz", "lwzcix", "lwzu", "lwzux", "lwzx", # more load word
713 ]
714 is_st = v30b_op in [
715 "stb", "stbcix", "stbcx", "stbu", "stbux", "stbx",
716 "std", "stdbrx", "stdcx", "stdu", "stdux", "stdx",
717 "stfs", "stfsx", "stfsu", "stfux", # FP store sgl
718 "stfd", "stfdx", "stfdu", "stfdux", "stfiwx", # FP store dbl
719 "sth", "sthbrx", "sthcx", "sthu", "sthux", "sthx",
720 "stw", "stwbrx", "stwcx", "stwu", "stwux", "stwx",
721 ]
722 # use this to determine if the SVP64 RM format is different.
723 # see https://libre-soc.org/openpower/sv/ldst/
724 is_ldst = is_ld or is_st
725
726 # branch-conditional detection
727 is_bc = v30b_op in [
728 "bc", "bclr",
729 ]
730
731 # parts of svp64_rm
732 mmode = 0 # bit 0
733 pmask = 0 # bits 1-3
734 destwid = 0 # bits 4-5
735 srcwid = 0 # bits 6-7
736 subvl = 0 # bits 8-9
737 smask = 0 # bits 16-18 but only for twin-predication
738 mode = 0 # bits 19-23
739
740 mask_m_specified = False
741 has_pmask = False
742 has_smask = False
743
744 saturation = None
745 src_zero = 0
746 dst_zero = 0
747 sv_mode = None
748
749 mapreduce = False
750 reverse_gear = False
751 mapreduce_crm = False
752 mapreduce_svm = False
753
754 predresult = False
755 failfirst = False
756 ldst_elstride = 0
757
758 # branch-conditional bits
759 bc_all = 0
760 bc_lru = 0
761 bc_brc = 0
762 bc_svstep = 0
763 bc_vsb = 0
764 bc_vlset = 0
765 bc_vli = 0
766 bc_snz = 0
767
768 # ok let's start identifying opcode augmentation fields
769 for encmode in opmodes:
770 # predicate mask (src and dest)
771 if encmode.startswith("m="):
772 pme = encmode
773 pmmode, pmask = decode_predicate(encmode[2:])
774 smmode, smask = pmmode, pmask
775 mmode = pmmode
776 mask_m_specified = True
777 # predicate mask (dest)
778 elif encmode.startswith("dm="):
779 pme = encmode
780 pmmode, pmask = decode_predicate(encmode[3:])
781 mmode = pmmode
782 has_pmask = True
783 # predicate mask (src, twin-pred)
784 elif encmode.startswith("sm="):
785 sme = encmode
786 smmode, smask = decode_predicate(encmode[3:])
787 mmode = smmode
788 has_smask = True
789 # shifted LD/ST
790 elif encmode.startswith("sh"):
791 ldst_shift = True
792 # vec2/3/4
793 elif encmode.startswith("vec"):
794 subvl = decode_subvl(encmode[3:])
795 # elwidth
796 elif encmode.startswith("ew="):
797 destwid = decode_elwidth(encmode[3:])
798 elif encmode.startswith("sw="):
799 srcwid = decode_elwidth(encmode[3:])
800 # element-strided LD/ST
801 elif encmode == 'els':
802 ldst_elstride = 1
803 # saturation
804 elif encmode == 'sats':
805 assert sv_mode is None
806 saturation = 1
807 sv_mode = 0b10
808 elif encmode == 'satu':
809 assert sv_mode is None
810 sv_mode = 0b10
811 saturation = 0
812 # predicate zeroing
813 elif encmode == 'sz':
814 src_zero = 1
815 elif encmode == 'dz':
816 dst_zero = 1
817 # failfirst
818 elif encmode.startswith("ff="):
819 assert sv_mode is None
820 sv_mode = 0b01
821 failfirst = decode_ffirst(encmode[3:])
822 # predicate-result, interestingly same as fail-first
823 elif encmode.startswith("pr="):
824 assert sv_mode is None
825 sv_mode = 0b11
826 predresult = decode_ffirst(encmode[3:])
827 # map-reduce mode, reverse-gear
828 elif encmode == 'mrr':
829 assert sv_mode is None
830 sv_mode = 0b00
831 mapreduce = True
832 reverse_gear = True
833 # map-reduce mode
834 elif encmode == 'mr':
835 assert sv_mode is None
836 sv_mode = 0b00
837 mapreduce = True
838 elif encmode == 'crm': # CR on map-reduce
839 assert sv_mode is None
840 sv_mode = 0b00
841 mapreduce_crm = True
842 elif encmode == 'svm': # sub-vector mode
843 mapreduce_svm = True
844 elif is_bc:
845 if encmode == 'all':
846 bc_all = 1
847 elif encmode == 'st': # svstep mode
848 bc_step = 1
849 elif encmode == 'sr': # svstep BRc mode
850 bc_step = 1
851 bc_brc = 1
852 elif encmode == 'vs': # VLSET mode
853 bc_vlset = 1
854 elif encmode == 'vsi': # VLSET mode with VLI (VL inclusives)
855 bc_vlset = 1
856 bc_vli = 1
857 elif encmode == 'vsb': # VLSET mode with VSb
858 bc_vlset = 1
859 bc_vsb = 1
860 elif encmode == 'vsbi': # VLSET mode with VLI and VSb
861 bc_vlset = 1
862 bc_vli = 1
863 bc_vsb = 1
864 elif encmode == 'snz': # sz (only) already set above
865 src_zero = 1
866 bc_snz = 1
867 elif encmode == 'lu': # LR update mode
868 bc_lru = 1
869 else:
870 raise AssertionError("unknown encmode %s" % encmode)
871 else:
872 raise AssertionError("unknown encmode %s" % encmode)
873
874 if ptype == '2P':
875 # since m=xx takes precedence (overrides) sm=xx and dm=xx,
876 # treat them as mutually exclusive
877 if mask_m_specified:
878 assert not has_smask,\
879 "cannot have both source-mask and predicate mask"
880 assert not has_pmask,\
881 "cannot have both dest-mask and predicate mask"
882 # since the default is INT predication (ALWAYS), if you
883 # specify one CR mask, you must specify both, to avoid
884 # mixing INT and CR reg types
885 if has_pmask and pmmode == 1:
886 assert has_smask, \
887 "need explicit source-mask in CR twin predication"
888 if has_smask and smmode == 1:
889 assert has_pmask, \
890 "need explicit dest-mask in CR twin predication"
891 # sanity-check that 2Pred mask is same mode
892 if has_pmask and has_smask:
893 assert smmode == pmmode, \
894 "predicate masks %s and %s must be same reg type" % \
895 (pme, sme)
896
897 # sanity-check that twin-predication mask only specified in 2P mode
898 if ptype == '1P':
899 assert not has_smask, \
900 "source-mask can only be specified on Twin-predicate ops"
901 assert not has_pmask, \
902 "dest-mask can only be specified on Twin-predicate ops"
903
904 # construct the mode field, doing sanity-checking along the way
905 if mapreduce_svm:
906 assert sv_mode == 0b00, "sub-vector mode in mapreduce only"
907 assert subvl != 0, "sub-vector mode not possible on SUBVL=1"
908
909 if src_zero:
910 assert has_smask or mask_m_specified, \
911 "src zeroing requires a source predicate"
912 if dst_zero:
913 assert has_pmask or mask_m_specified, \
914 "dest zeroing requires a dest predicate"
915
916 # check LDST shifted, only available in "normal" mode
917 if is_ldst and ldst_shift:
918 assert sv_mode is None, \
919 "LD shift cannot have modes (%s) applied" % sv_mode
920
921 # okaaay, so there are 4 different modes, here, which will be
922 # partly-merged-in: is_ldst is merged in with "normal", but
923 # is_bc is so different it's done separately. likewise is_cr
924 # (when it is done). here are the maps:
925
926 # for "normal" arithmetic: https://libre-soc.org/openpower/sv/normal/
927 """
928 | 0-1 | 2 | 3 4 | description |
929 | --- | --- |---------|-------------------------- |
930 | 00 | 0 | dz sz | normal mode |
931 | 00 | 1 | 0 RG | scalar reduce mode (mapreduce), SUBVL=1 |
932 | 00 | 1 | 1 / | parallel reduce mode (mapreduce), SUBVL=1 |
933 | 00 | 1 | SVM RG | subvector reduce mode, SUBVL>1 |
934 | 01 | inv | CR-bit | Rc=1: ffirst CR sel |
935 | 01 | inv | VLi RC1 | Rc=0: ffirst z/nonz |
936 | 10 | N | dz sz | sat mode: N=0/1 u/s |
937 | 11 | inv | CR-bit | Rc=1: pred-result CR sel |
938 | 11 | inv | dz RC1 | Rc=0: pred-result z/nonz |
939 """
940
941 # https://libre-soc.org/openpower/sv/ldst/
942 # for LD/ST-immediate:
943 """
944 | 0-1 | 2 | 3 4 | description |
945 | --- | --- |---------|--------------------------- |
946 | 00 | 0 | dz els | normal mode |
947 | 00 | 1 | dz shf | shift mode |
948 | 01 | inv | CR-bit | Rc=1: ffirst CR sel |
949 | 01 | inv | els RC1 | Rc=0: ffirst z/nonz |
950 | 10 | N | dz els | sat mode: N=0/1 u/s |
951 | 11 | inv | CR-bit | Rc=1: pred-result CR sel |
952 | 11 | inv | els RC1 | Rc=0: pred-result z/nonz |
953 """
954
955 # for LD/ST-indexed (RA+RB):
956 """
957 | 0-1 | 2 | 3 4 | description |
958 | --- | --- |---------|-------------------------- |
959 | 00 | SEA | dz sz | normal mode |
960 | 01 | SEA | dz sz | Strided (scalar only source) |
961 | 10 | N | dz sz | sat mode: N=0/1 u/s |
962 | 11 | inv | CR-bit | Rc=1: pred-result CR sel |
963 | 11 | inv | dz RC1 | Rc=0: pred-result z/nonz |
964 """
965
966 # and leaving out branches and cr_ops for now because they're
967 # under development
968 """ TODO branches and cr_ops
969 """
970
971 # now create mode and (overridden) src/dst widths
972 # XXX TODO: sanity-check bc modes
973 if is_bc:
974 sv_mode = ((bc_svstep << SVP64MODE.MOD2_MSB) |
975 (bc_vlset << SVP64MODE.MOD2_LSB) |
976 (bc_snz << SVP64MODE.BC_SNZ))
977 srcwid = (bc_vsb << 1) | bc_lru
978 destwid = (bc_lru << 1) | bc_all
979
980 else:
981
982 ######################################
983 # "normal" mode
984 if sv_mode is None:
985 mode |= src_zero << SVP64MODE.SZ # predicate zeroing
986 mode |= dst_zero << SVP64MODE.DZ # predicate zeroing
987 if is_ldst:
988 # TODO: for now, LD/ST-indexed is ignored.
989 mode |= ldst_elstride << SVP64MODE.ELS_NORMAL # el-strided
990 # shifted mode
991 if ldst_shift:
992 mode |= 1 << SVP64MODE.LDST_SHIFT
993 else:
994 # TODO, reduce and subvector mode
995 # 00 1 dz CRM reduce mode (mapreduce), SUBVL=1
996 # 00 1 SVM CRM subvector reduce mode, SUBVL>1
997 pass
998 sv_mode = 0b00
999
1000 ######################################
1001 # "mapreduce" modes
1002 elif sv_mode == 0b00:
1003 mode |= (0b1 << SVP64MODE.REDUCE) # sets mapreduce
1004 assert dst_zero == 0, "dest-zero not allowed in mapreduce mode"
1005 if reverse_gear:
1006 mode |= (0b1 << SVP64MODE.RG) # sets Reverse-gear mode
1007 if mapreduce_crm:
1008 mode |= (0b1 << SVP64MODE.CRM) # sets CRM mode
1009 assert rc_mode, "CRM only allowed when Rc=1"
1010 # bit of weird encoding to jam zero-pred or SVM mode in.
1011 # SVM mode can be enabled only when SUBVL=2/3/4 (vec2/3/4)
1012 if subvl == 0:
1013 mode |= dst_zero << SVP64MODE.DZ # predicate zeroing
1014 elif mapreduce_svm:
1015 mode |= (0b1 << SVP64MODE.SVM) # sets SVM mode
1016
1017 ######################################
1018 # "failfirst" modes
1019 elif sv_mode == 0b01:
1020 assert src_zero == 0, "dest-zero not allowed in failfirst mode"
1021 if failfirst == 'RC1':
1022 mode |= (0b1 << SVP64MODE.RC1) # sets RC1 mode
1023 mode |= (dst_zero << SVP64MODE.DZ) # predicate dst-zeroing
1024 assert rc_mode == False, "ffirst RC1 only ok when Rc=0"
1025 elif failfirst == '~RC1':
1026 mode |= (0b1 << SVP64MODE.RC1) # sets RC1 mode
1027 mode |= (dst_zero << SVP64MODE.DZ) # predicate dst-zeroing
1028 mode |= (0b1 << SVP64MODE.INV) # ... with inversion
1029 assert rc_mode == False, "ffirst RC1 only ok when Rc=0"
1030 else:
1031 assert dst_zero == 0, "dst-zero not allowed in ffirst BO"
1032 assert rc_mode, "ffirst BO only possible when Rc=1"
1033 mode |= (failfirst << SVP64MODE.BO_LSB) # set BO
1034
1035 ######################################
1036 # "saturation" modes
1037 elif sv_mode == 0b10:
1038 mode |= src_zero << SVP64MODE.SZ # predicate zeroing
1039 mode |= dst_zero << SVP64MODE.DZ # predicate zeroing
1040 mode |= (saturation << SVP64MODE.N) # signed/us saturation
1041
1042 ######################################
1043 # "predicate-result" modes. err... code-duplication from ffirst
1044 elif sv_mode == 0b11:
1045 assert src_zero == 0, "dest-zero not allowed in predresult mode"
1046 if predresult == 'RC1':
1047 mode |= (0b1 << SVP64MODE.RC1) # sets RC1 mode
1048 mode |= (dst_zero << SVP64MODE.DZ) # predicate dst-zeroing
1049 assert rc_mode == False, "pr-mode RC1 only ok when Rc=0"
1050 elif predresult == '~RC1':
1051 mode |= (0b1 << SVP64MODE.RC1) # sets RC1 mode
1052 mode |= (dst_zero << SVP64MODE.DZ) # predicate dst-zeroing
1053 mode |= (0b1 << SVP64MODE.INV) # ... with inversion
1054 assert rc_mode == False, "pr-mode RC1 only ok when Rc=0"
1055 else:
1056 assert dst_zero == 0, "dst-zero not allowed in pr-mode BO"
1057 assert rc_mode, "pr-mode BO only possible when Rc=1"
1058 mode |= (predresult << SVP64MODE.BO_LSB) # set BO
1059
1060 # whewww.... modes all done :)
1061 # now put into svp64_rm
1062 mode |= sv_mode
1063 # mode: bits 19-23
1064 svp64_rm.mode.eq(SelectableInt(mode, SVP64RM_MODE_SIZE))
1065
1066 # put in predicate masks into svp64_rm
1067 if ptype == '2P':
1068 # source pred: bits 16-18
1069 svp64_rm.smask.eq(SelectableInt(smask, SVP64RM_SMASK_SIZE))
1070 # mask mode: bit 0
1071 svp64_rm.mmode.eq(SelectableInt(mmode, SVP64RM_MMODE_SIZE))
1072 # 1-pred: bits 1-3
1073 svp64_rm.mask.eq(SelectableInt(pmask, SVP64RM_MASK_SIZE))
1074
1075 # and subvl: bits 8-9
1076 svp64_rm.subvl.eq(SelectableInt(subvl, SVP64RM_SUBVL_SIZE))
1077
1078 # put in elwidths
1079 # srcwid: bits 6-7
1080 svp64_rm.ewsrc.eq(SelectableInt(srcwid, SVP64RM_EWSRC_SIZE))
1081 # destwid: bits 4-5
1082 svp64_rm.elwidth.eq(SelectableInt(destwid, SVP64RM_ELWIDTH_SIZE))
1083
1084 # nice debug printout. (and now for something completely different)
1085 # https://youtu.be/u0WOIwlXE9g?t=146
1086 svp64_rm_value = svp64_rm.spr.value
1087 log("svp64_rm", hex(svp64_rm_value), bin(svp64_rm_value))
1088 log(" mmode 0 :", bin(mmode))
1089 log(" pmask 1-3 :", bin(pmask))
1090 log(" dstwid 4-5 :", bin(destwid))
1091 log(" srcwid 6-7 :", bin(srcwid))
1092 log(" subvl 8-9 :", bin(subvl))
1093 log(" mode 19-23:", bin(mode))
1094 offs = 2 if etype == 'EXTRA2' else 3 # 2 or 3 bits
1095 for idx, sv_extra in extras.items():
1096 if idx is None:
1097 continue
1098 if idx[0] == 'imm':
1099 continue
1100 srcdest, idx, duplicate = idx
1101 start = (10+idx*offs)
1102 end = start + offs-1
1103 log(" extra%d %2d-%2d:" % (idx, start, end),
1104 bin(sv_extra))
1105 if ptype == '2P':
1106 log(" smask 16-17:", bin(smask))
1107 log()
1108
1109 # first, construct the prefix from its subfields
1110 svp64_prefix = SVP64PrefixFields()
1111 svp64_prefix.major.eq(SelectableInt(0x1, SV64P_MAJOR_SIZE))
1112 svp64_prefix.pid.eq(SelectableInt(0b11, SV64P_PID_SIZE))
1113 svp64_prefix.rm.eq(svp64_rm.spr)
1114
1115 # fiinally yield the svp64 prefix and the thingy. v3.0b opcode
1116 rc = '.' if rc_mode else ''
1117 yield ".long 0x%08x" % svp64_prefix.insn.value
1118 log(v30b_newfields)
1119 # argh, sv.fmadds etc. need to be done manually
1120 if v30b_op == 'ffmadds':
1121 opcode = 59 << (32-6) # bits 0..6 (MSB0)
1122 opcode |= int(v30b_newfields[0]) << (32-11) # FRT
1123 opcode |= int(v30b_newfields[1]) << (32-16) # FRA
1124 opcode |= int(v30b_newfields[2]) << (32-21) # FRB
1125 opcode |= int(v30b_newfields[3]) << (32-26) # FRC
1126 opcode |= 0b00101 << (32-31) # bits 26-30
1127 if rc:
1128 opcode |= 1 # Rc, bit 31.
1129 yield ".long 0x%x" % opcode
1130 # argh, sv.fdmadds need to be done manually
1131 elif v30b_op == 'fdmadds':
1132 opcode = 59 << (32-6) # bits 0..6 (MSB0)
1133 opcode |= int(v30b_newfields[0]) << (32-11) # FRT
1134 opcode |= int(v30b_newfields[1]) << (32-16) # FRA
1135 opcode |= int(v30b_newfields[2]) << (32-21) # FRB
1136 opcode |= int(v30b_newfields[3]) << (32-26) # FRC
1137 opcode |= 0b01111 << (32-31) # bits 26-30
1138 if rc:
1139 opcode |= 1 # Rc, bit 31.
1140 yield ".long 0x%x" % opcode
1141 # argh, sv.ffadds etc. need to be done manually
1142 elif v30b_op == 'ffadds':
1143 opcode = 59 << (32-6) # bits 0..6 (MSB0)
1144 opcode |= int(v30b_newfields[0]) << (32-11) # FRT
1145 opcode |= int(v30b_newfields[1]) << (32-16) # FRA
1146 opcode |= int(v30b_newfields[2]) << (32-21) # FRB
1147 opcode |= 0b01101 << (32-31) # bits 26-30
1148 if rc:
1149 opcode |= 1 # Rc, bit 31.
1150 yield ".long 0x%x" % opcode
1151 # sigh have to do svstep here manually for now...
1152 elif opcode in ["svstep", "svstep."]:
1153 insn = 22 << (31-5) # opcode 22, bits 0-5
1154 insn |= int(v30b_newfields[0]) << (31-10) # RT , bits 6-10
1155 insn |= int(v30b_newfields[1]) << (31-22) # SVi , bits 16-22
1156 insn |= int(v30b_newfields[2]) << (31-25) # vf , bit 25
1157 insn |= 0b10011 << (31-30) # XO , bits 26..30
1158 if opcode == 'svstep.':
1159 insn |= 1 << (31-31) # Rc=1 , bit 31
1160 log("svstep", bin(insn))
1161 yield ".long 0x%x" % insn
1162 # argh, sv.fcoss etc. need to be done manually
1163 elif v30b_op in ["fcoss", "fcoss."]:
1164 insn = 59 << (31-5) # opcode 59, bits 0-5
1165 insn |= int(v30b_newfields[0]) << (31-10) # RT , bits 6-10
1166 insn |= int(v30b_newfields[1]) << (31-20) # RB , bits 16-20
1167 insn |= 0b1000101110 << (31-30) # XO , bits 21..30
1168 if opcode == 'fcoss.':
1169 insn |= 1 << (31-31) # Rc=1 , bit 31
1170 log("fcoss", bin(insn))
1171 yield ".long 0x%x" % insn
1172
1173 else:
1174 yield "%s %s" % (v30b_op+rc, ", ".join(v30b_newfields))
1175 log("new v3.0B fields", v30b_op, v30b_newfields)
1176
1177 def translate(self, lst):
1178 for insn in lst:
1179 yield from self.translate_one(insn)
1180
1181
1182 def macro_subst(macros, txt):
1183 again = True
1184 log("subst", txt, macros)
1185 while again:
1186 again = False
1187 for macro, value in macros.items():
1188 if macro == txt:
1189 again = True
1190 replaced = txt.replace(macro, value)
1191 log("macro", txt, "replaced", replaced, macro, value)
1192 txt = replaced
1193 continue
1194 toreplace = '%s.s' % macro
1195 if toreplace == txt:
1196 again = True
1197 replaced = txt.replace(toreplace, "%s.s" % value)
1198 log("macro", txt, "replaced", replaced, toreplace, value)
1199 txt = replaced
1200 continue
1201 toreplace = '%s.v' % macro
1202 if toreplace == txt:
1203 again = True
1204 replaced = txt.replace(toreplace, "%s.v" % value)
1205 log("macro", txt, "replaced", replaced, toreplace, value)
1206 txt = replaced
1207 continue
1208 toreplace = '(%s)' % macro
1209 if toreplace in txt:
1210 again = True
1211 replaced = txt.replace(toreplace, '(%s)' % value)
1212 log("macro", txt, "replaced", replaced, toreplace, value)
1213 txt = replaced
1214 continue
1215 log(" processed", txt)
1216 return txt
1217
1218
1219 def get_ws(line):
1220 # find whitespace
1221 ws = ''
1222 while line:
1223 if not line[0].isspace():
1224 break
1225 ws += line[0]
1226 line = line[1:]
1227 return ws, line
1228
1229
1230 def asm_process():
1231 # get an input file and an output file
1232 args = sys.argv[1:]
1233 if len(args) == 0:
1234 infile = sys.stdin
1235 outfile = sys.stdout
1236 # read the whole lot in advance in case of in-place
1237 lines = list(infile.readlines())
1238 elif len(args) != 2:
1239 print("pysvp64asm [infile | -] [outfile | -]", file=sys.stderr)
1240 exit(0)
1241 else:
1242 if args[0] == '--':
1243 infile = sys.stdin
1244 else:
1245 infile = open(args[0], "r")
1246 # read the whole lot in advance in case of in-place overwrite
1247 lines = list(infile.readlines())
1248
1249 if args[1] == '--':
1250 outfile = sys.stdout
1251 else:
1252 outfile = open(args[1], "w")
1253
1254 # read the line, look for "sv", process it
1255 macros = {} # macros which start ".set"
1256 isa = SVP64Asm([])
1257 for line in lines:
1258 op = line.split("#")[0].strip()
1259 # identify macros
1260 if op.startswith(".set"):
1261 macro = op[4:].split(",")
1262 (macro, value) = map(str.strip, macro)
1263 macros[macro] = value
1264 if not (op.startswith("sv.") or
1265 op.startswith("setvl") or
1266 op.startswith("svshape")):
1267 outfile.write(line)
1268 continue
1269
1270 (ws, line) = get_ws(line)
1271 lst = isa.translate_one(op, macros)
1272 lst = '; '.join(lst)
1273 outfile.write("%s%s # %s\n" % (ws, lst, op))
1274
1275
1276 if __name__ == '__main__':
1277 lst = ['slw 3, 1, 4',
1278 'extsw 5, 3',
1279 'sv.extsw 5, 3',
1280 'sv.cmpi 5, 1, 3, 2',
1281 'sv.setb 5, 31',
1282 'sv.isel 64.v, 3, 2, 65.v',
1283 'sv.setb/dm=r3/sm=1<<r3 5, 31',
1284 'sv.setb/m=r3 5, 31',
1285 'sv.setb/vec2 5, 31',
1286 'sv.setb/sw=8/ew=16 5, 31',
1287 'sv.extsw./ff=eq 5, 31',
1288 'sv.extsw./satu/sz/dz/sm=r3/dm=r3 5, 31',
1289 'sv.extsw./pr=eq 5.v, 31',
1290 'sv.add. 5.v, 2.v, 1.v',
1291 'sv.add./m=r3 5.v, 2.v, 1.v',
1292 ]
1293 lst += [
1294 'sv.stw 5.v, 4(1.v)',
1295 'sv.ld 5.v, 4(1.v)',
1296 'setvl. 2, 3, 4, 0, 1, 1',
1297 'sv.setvl. 2, 3, 4, 0, 1, 1',
1298 ]
1299 lst = [
1300 "sv.stfsu 0.v, 16(4.v)",
1301 ]
1302 lst = [
1303 "sv.stfsu/els 0.v, 16(4)",
1304 ]
1305 lst = [
1306 'sv.add./mr 5.v, 2.v, 1.v',
1307 ]
1308 macros = {'win2': '50', 'win': '60'}
1309 lst = [
1310 'sv.addi win2.v, win.v, -1',
1311 'sv.add./mrr 5.v, 2.v, 1.v',
1312 #'sv.lhzsh 5.v, 11(9.v), 15',
1313 #'sv.lwzsh 5.v, 11(9.v), 15',
1314 'sv.ffmadds 6.v, 2.v, 4.v, 6.v',
1315 ]
1316 lst = [
1317 #'sv.fmadds 0.v, 8.v, 16.v, 4.v',
1318 #'sv.ffadds 0.v, 8.v, 4.v',
1319 'svremap 11, 0, 1, 2, 3, 2, 1',
1320 'svshape 8, 1, 1, 1, 0',
1321 'svshape 8, 1, 1, 1, 1',
1322 ]
1323 lst = [
1324 #'sv.lfssh 4.v, 11(8.v), 15',
1325 #'sv.lwzsh 4.v, 11(8.v), 15',
1326 #'sv.svstep. 2.v, 4, 0',
1327 #'sv.fcfids. 48.v, 64.v',
1328 'sv.fcoss. 80.v, 0.v',
1329 'sv.fcoss. 20.v, 0.v',
1330 ]
1331 lst = [
1332 'sv.bc/all 3,12,192',
1333 'sv.bclr/vsbi 3,81.v,192',
1334 'sv.ld 5.v, 4(1.v)',
1335 'sv.svstep. 2.v, 4, 0',
1336 ]
1337 lst = [
1338 'maxs 3,12,5',
1339 'maxs. 3,12,5',
1340 'avgadd 3,12,5',
1341 'absdu 3,12,5',
1342 'absaddu 3,12,5',
1343 'absadds 3,12,5',
1344 ]
1345 isa = SVP64Asm(lst, macros=macros)
1346 log("list", list(isa))
1347 asm_process()