exclude setvl from SVP64 ReMap
[libreriscv.git] / openpower / sv_analysis.py
1 #!/usr/bin/env python2
2 #
3 # NOTE that this program is python2 compatible, please do not stop it
4 # from working by adding syntax that prevents that.
5 #
6 # Initial version written by lkcl Oct 2020
7 # This program analyses the Power 9 op codes and looks at in/out register uses
8 # The results are displayed:
9 # https://libre-soc.org/openpower/opcode_regs_deduped/
10 #
11 # It finds .csv files in the directory isatables/
12 # then goes through the categories and creates svp64 CSV augmentation
13 # tables on a per-opcode basis
14
15 import csv
16 import os
17 from os.path import dirname, join
18 from glob import glob
19 from collections import OrderedDict
20 from soc.decoder.power_svp64 import SVP64RM
21
22
23 # Return absolute path (ie $PWD) + isatables + name
24 def find_wiki_file(name):
25 filedir = os.path.dirname(os.path.abspath(__file__))
26 tabledir = join(filedir, 'isatables')
27 file_path = join(tabledir, name)
28 return file_path
29
30 # Return an array of dictionaries from the CSV file name:
31 def get_csv(name):
32 file_path = find_wiki_file(name)
33 with open(file_path, 'r') as csvfile:
34 reader = csv.DictReader(csvfile)
35 return list(reader)
36
37 # Write an array of dictionaries to the CSV file name:
38 def write_csv(name, items, headers):
39 file_path = find_wiki_file(name)
40 with open(file_path, 'w') as csvfile:
41 writer = csv.DictWriter(csvfile, headers, lineterminator="\n")
42 writer.writeheader()
43 writer.writerows(items)
44
45 # This will return True if all values are true.
46 # Not sure what this is about
47 def blank_key(row):
48 #for v in row.values():
49 # if 'SPR' in v: # skip all SPRs
50 # return True
51 for v in row.values():
52 if v:
53 return False
54 return True
55
56 # General purpose registers have names like: RA, RT, R1, ...
57 # Floating point registers names like: FRT, FRA, FR1, ..., FRTp, ...
58 # Return True if field is a register
59 def isreg(field):
60 return (field.startswith('R') or field.startswith('FR') or
61 field == 'SPR')
62
63
64 # These are the attributes of the instructions,
65 # register names
66 keycolumns = ['unit', 'in1', 'in2', 'in3', 'out', 'CR in', 'CR out',
67 ] # don't think we need these: 'ldst len', 'rc', 'lk']
68
69 tablecols = ['unit', 'in', 'outcnt', 'CR in', 'CR out', 'imm'
70 ] # don't think we need these: 'ldst len', 'rc', 'lk']
71
72 def create_key(row):
73 res = OrderedDict()
74 #print ("row", row)
75 for key in keycolumns:
76 # registers IN - special-case: count number of regs RA/RB/RC/RS
77 if key in ['in1', 'in2', 'in3']:
78 if 'in' not in res:
79 res['in'] = 0
80 if isreg(row[key]):
81 res['in'] += 1
82
83 # registers OUT
84 if key == 'out':
85 # If upd is 1 then increment the count of outputs
86 if 'outcnt' not in res:
87 res['outcnt'] = 0
88 if isreg(row[key]):
89 res['outcnt'] += 1
90 if row['upd'] == '1':
91 res['outcnt'] += 1
92
93 # CRs (Condition Register) (CR0 .. CR7)
94 if key.startswith('CR'):
95 if row[key].startswith('NONE'):
96 res[key] = '0'
97 else:
98 res[key] = '1'
99 if row['comment'].startswith('cr'):
100 res['crop'] = '1'
101 # unit
102 if key == 'unit':
103 if row[key] == 'LDST': # we care about LDST units
104 res[key] = row[key]
105 else:
106 res[key] = 'OTHER'
107 # LDST len (LoadStore length)
108 if key.startswith('ldst'):
109 if row[key].startswith('NONE'):
110 res[key] = '0'
111 else:
112 res[key] = '1'
113 # rc, lk
114 if key in ['rc', 'lk']:
115 if row[key] == 'ONE':
116 res[key] = '1'
117 elif row[key] == 'NONE':
118 res[key] = '0'
119 else:
120 res[key] = 'R'
121 if key == 'lk':
122 res[key] = row[key]
123
124 # Convert the numerics 'in' & 'outcnt' to strings
125 res['in'] = str(res['in'])
126 res['outcnt'] = str(res['outcnt'])
127
128
129 # constants
130 if row['in2'].startswith('CONST_'):
131 res['imm'] = "1" # row['in2'].split("_")[1]
132 else:
133 res['imm'] = ''
134
135 return res
136
137 #
138 def dformat(d):
139 res = []
140 for k, v in d.items():
141 res.append("%s: %s" % (k, v))
142 return ' '.join(res)
143
144 def tformat(d):
145 return ' | '.join(d) + " |"
146
147 def keyname(row):
148 res = []
149 if row['unit'] != 'OTHER':
150 res.append(row['unit'])
151 if row['in'] != '0':
152 res.append('%sR' % row['in'])
153 if row['outcnt'] != '0':
154 res.append('%sW' % row['outcnt'])
155 if row['CR in'] == '1' and row['CR out'] == '1':
156 if 'crop' in row:
157 res.append("CR=2R1W")
158 else:
159 res.append("CRio")
160 elif row['CR in'] == '1':
161 res.append("CRi")
162 elif row['CR out'] == '1':
163 res.append("CRo")
164 elif 'imm' in row and row['imm']:
165 res.append("imm")
166 return '-'.join(res)
167
168
169 def process_csvs():
170 csvs = {}
171 csvs_svp64 = {}
172 bykey = {}
173 primarykeys = set()
174 dictkeys = OrderedDict()
175 immediates = {}
176 insns = {} # dictionary of CSV row, by instruction
177 insn_to_csv = {}
178
179 print ("# OpenPOWER ISA register 'profile's")
180 print ('')
181 print ("this page is auto-generated, do not edit")
182 print ("created by http://libre-soc.org/openpower/sv_analysis.py")
183 print ('')
184
185 # Expand that (all .csv files)
186 pth = find_wiki_file("*.csv")
187
188 # Ignore those containing: valid test sprs
189 for fname in glob(pth):
190 if '-' in fname:
191 continue
192 if 'valid' in fname:
193 continue
194 if 'test' in fname:
195 continue
196 if fname.endswith('sprs.csv'):
197 continue
198 if fname.endswith('minor_19_valid.csv'):
199 continue
200 if 'RM' in fname:
201 continue
202 #print (fname)
203 csvname = os.path.split(fname)[1]
204 csvname_ = csvname.split(".")[0]
205 # csvname is something like: minor_59.csv, fname the whole path
206 csv = get_csv(fname)
207 csvs[fname] = csv
208 csvs_svp64[csvname_] = []
209 for row in csv:
210 if blank_key(row):
211 continue
212 insn_name = row['comment']
213 # skip instructions that are not suitable
214 if insn_name in ['mcrxr', 'mcrxrx', 'darn']:
215 continue
216 if insn_name.startswith('bc') or 'rfid' in insn_name:
217 continue
218 if insn_name in ['setvl',]: # SVP64 opcodes
219 continue
220
221 insns[insn_name] = row # accumulate csv data by instruction
222 insn_to_csv[insn_name] = csvname_ # CSV file name by instruction
223 dkey = create_key(row)
224 key = tuple(dkey.values())
225 # print("key=", key)
226 dictkeys[key] = dkey
227 primarykeys.add(key)
228 if key not in bykey:
229 bykey[key] = []
230 bykey[key].append((csvname, row['opcode'], insn_name,
231 row['form'].upper() + '-Form'))
232
233 # detect immediates, collate them (useful info)
234 if row['in2'].startswith('CONST_'):
235 imm = row['in2'].split("_")[1]
236 if key not in immediates:
237 immediates[key] = set()
238 immediates[key].add(imm)
239
240 primarykeys = list(primarykeys)
241 primarykeys.sort()
242
243 # mapping to old SVPrefix "Forms"
244 mapsto = {'3R-1W-CRio': 'RM-1P-3S1D',
245 '2R-1W-CRio': 'RM-1P-2S1D',
246 '2R-1W-CRi': 'RM-1P-3S1D',
247 '2R-1W-CRo': 'RM-1P-2S1D',
248 '2R': 'non-SV',
249 '2R-1W': 'RM-1P-2S1D',
250 '1R-CRio': 'RM-2P-2S1D',
251 '2R-CRio': 'RM-1P-2S1D',
252 '2R-CRo': 'RM-1P-2S1D',
253 '1R': 'non-SV',
254 '1R-1W-CRio': 'RM-2P-1S1D',
255 '1R-1W-CRo': 'RM-2P-1S1D',
256 '1R-1W': 'RM-2P-1S1D',
257 '1R-1W-imm': 'RM-2P-1S1D',
258 '1R-CRo': 'RM-2P-1S1D',
259 '1R-imm': 'non-SV',
260 '1W': 'non-SV',
261 '1W-CRi': 'RM-2P-1S1D',
262 'CRio': 'RM-2P-1S1D',
263 'CR=2R1W': 'RM-1P-2S1D',
264 'CRi': 'non-SV',
265 'imm': 'non-SV',
266 '': 'non-SV',
267 'LDST-2R-imm': 'LDSTRM-2P-2S',
268 'LDST-2R-1W-imm': 'LDSTRM-2P-2S1D',
269 'LDST-2R-1W': 'LDSTRM-2P-2S1D',
270 'LDST-2R-2W': 'LDSTRM-2P-2S1D',
271 'LDST-1R-1W-imm': 'LDSTRM-2P-1S1D',
272 'LDST-1R-2W-imm': 'LDSTRM-2P-1S2D',
273 'LDST-3R': 'LDSTRM-2P-3S',
274 'LDST-3R-CRo': 'LDSTRM-2P-3S', # st*x
275 'LDST-3R-1W': 'LDSTRM-2P-2S1D', # st*x
276 }
277 print ("# map to old SV Prefix")
278 print ('')
279 print ('[[!table data="""')
280 for key in primarykeys:
281 name = keyname(dictkeys[key])
282 value = mapsto.get(name, "-")
283 print (tformat([name, value+ " "]))
284 print ('"""]]')
285 print ('')
286
287 print ("# keys")
288 print ('')
289 print ('[[!table data="""')
290 print (tformat(tablecols) + " imms | name |")
291
292 # print out the keys and the table from which they're derived
293 for key in primarykeys:
294 name = keyname(dictkeys[key])
295 row = tformat(dictkeys[key].values())
296 imms = list(immediates.get(key, ""))
297 imms.sort()
298 row += " %s | " % ("/".join(imms))
299 row += " %s |" % name
300 print (row)
301 print ('"""]]')
302 print ('')
303
304 # print out, by remap name, all the instructions under that category
305 for key in primarykeys:
306 name = keyname(dictkeys[key])
307 value = mapsto.get(name, "-")
308 print ("## %s (%s)" % (name, value))
309 print ('')
310 print ('[[!table data="""')
311 print (tformat(['CSV', 'opcode', 'asm', 'form']))
312 rows = bykey[key]
313 rows.sort()
314 for row in rows:
315 print (tformat(row))
316 print ('"""]]')
317 print ('')
318
319 #for fname, csv in csvs.items():
320 # print (fname)
321
322 #for insn, row in insns.items():
323 # print (insn, row)
324
325 print ("# svp64 remaps")
326 svp64 = OrderedDict()
327 # create a CSV file, per category, with SV "augmentation" info
328 csvcols = ['insn', 'Ptype', 'Etype', '0', '1', '2', '3']
329 csvcols += ['in1', 'in2', 'in3', 'out', 'CR in', 'CR out'] # temporary
330 for key in primarykeys:
331 # get the decoded key containing row-analysis, and name/value
332 dkey = dictkeys[key]
333 name = keyname(dkey)
334 value = mapsto.get(name, "-")
335 if value == 'non-SV':
336 continue
337
338 # print out svp64 tables by category
339 print ("* **%s**: %s" % (name, value))
340
341 # store csv entries by svp64 RM category
342 if value not in svp64:
343 svp64[value] = []
344
345 rows = bykey[key]
346 rows.sort()
347
348 for row in rows:
349 #for idx in range(len(row)):
350 # if row[idx] == 'NONE':
351 # row[idx] = ''
352 # get the instruction
353 insn_name = row[2]
354 insn = insns[insn_name]
355 # start constructing svp64 CSV row
356 res = OrderedDict()
357 res['insn'] = insn_name
358 res['Ptype'] = value.split('-')[1] # predication type (RM-xN-xxx)
359 # get whether R_xxx_EXTRAn fields are 2-bit or 3-bit
360 res['Etype'] = 'EXTRA2'
361 # go through each register matching to Rxxxx_EXTRAx
362 for k in ['0', '1', '2', '3']:
363 res[k] = ''
364
365 # temporary useful info
366 regs = []
367 for k in ['in1', 'in2', 'in3', 'out', 'CR in', 'CR out']:
368 if insn[k].startswith('CONST'):
369 res[k] = ''
370 regs.append('')
371 else:
372 res[k] = insn[k]
373 if insn[k] == 'RA_OR_ZERO':
374 regs.append('RA')
375 elif insn[k] != 'NONE':
376 regs.append(insn[k])
377 else:
378 regs.append('')
379
380 # sigh now the fun begins. this isn't the sanest way to do it
381 # but the patterns are pretty regular.
382 if value == 'LDSTRM-2P-1S1D':
383 res['Etype'] = 'EXTRA3' # RM EXTRA3 type
384 res['0'] = 'd:RT' # RT: Rdest_EXTRA3
385 res['1'] = 's:RA' # RA: Rsrc1_EXTRA3
386
387 elif value == 'LDSTRM-2P-1S2D':
388 res['Etype'] = 'EXTRA2' # RM EXTRA2 type
389 res['0'] = 'd:RT' # RT: Rdest1_EXTRA2
390 res['1'] = 'd:RA' # RA: Rdest2_EXTRA2
391 res['2'] = 's:RA' # RA: Rsrc1_EXTRA2
392
393 elif value == 'LDSTRM-2P-2S':
394 # stw, std, sth, stb
395 res['Etype'] = 'EXTRA3' # RM EXTRA2 type
396 res['0'] = 's:RS' # RT: Rdest1_EXTRA2
397 res['1'] = 's:RA' # RA: Rsrc1_EXTRA2
398
399 elif value == 'LDSTRM-2P-2S1D':
400 if 'st' in insn_name and 'x' not in insn_name: # stwu/stbu etc
401 res['Etype'] = 'EXTRA2' # RM EXTRA2 type
402 res['0'] = 'd:RA' # RA: Rdest1_EXTRA2
403 res['1'] = 's:RS' # RS: Rdsrc1_EXTRA2
404 res['2'] = 's:RA' # RA: Rsrc2_EXTRA2
405 elif 'st' in insn_name and 'x' in insn_name: # stwux
406 res['Etype'] = 'EXTRA2' # RM EXTRA2 type
407 res['0'] = 'd:RA' # RA: Rdest1_EXTRA2
408 res['1'] = 's:RS;s:RA' # RS: Rdest2_EXTRA2, RA: Rsrc1_EXTRA2
409 res['2'] = 's:RB' # RB: Rsrc2_EXTRA2
410 elif 'u' in insn_name: # ldux etc.
411 res['Etype'] = 'EXTRA2' # RM EXTRA2 type
412 res['0'] = 'd:RT' # RT: Rdest1_EXTRA2
413 res['1'] = 'd:RA' # RA: Rdest2_EXTRA2
414 res['2'] = 's:RB' # RB: Rsrc1_EXTRA2
415 else:
416 res['Etype'] = 'EXTRA2' # RM EXTRA2 type
417 res['0'] = 'd:RT' # RT: Rdest1_EXTRA2
418 res['1'] = 's:RA' # RA: Rsrc1_EXTRA2
419 res['2'] = 's:RB' # RB: Rsrc2_EXTRA2
420
421 elif value == 'LDSTRM-2P-3S':
422 res['Etype'] = 'EXTRA2' # RM EXTRA2 type
423 if 'cx' in insn_name:
424 res['0'] = 's:RS;d:CR0' # RS: Rsrc1_EXTRA2 CR0: dest
425 else:
426 res['0'] = 's:RS' # RS: Rsrc1_EXTRA2
427 res['1'] = 's:RA' # RA: Rsrc2_EXTRA2
428 res['2'] = 's:RB' # RA: Rsrc3_EXTRA2
429
430 elif value == 'RM-2P-1S1D':
431 res['Etype'] = 'EXTRA3' # RM EXTRA3 type
432 if insn_name == 'mtspr':
433 res['0'] = 'd:SPR' # SPR: Rdest1_EXTRA3
434 res['1'] = 's:RS' # RS: Rsrc1_EXTRA3
435 elif insn_name == 'mfspr':
436 res['0'] = 'd:RS' # RS: Rdest1_EXTRA3
437 res['1'] = 's:SPR' # SPR: Rsrc1_EXTRA3
438 elif name == 'CRio' and insn_name == 'mcrf':
439 res['0'] = 'd:BF' # BFA: Rdest1_EXTRA3
440 res['1'] = 's:BFA' # BFA: Rsrc1_EXTRA3
441 elif 'mfcr' in insn_name or 'mfocrf' in insn_name:
442 res['0'] = 'd:RT' # RT: Rdest1_EXTRA3
443 res['1'] = 's:CR' # CR: Rsrc1_EXTRA3
444 elif insn_name == 'setb':
445 res['0'] = 'd:RT' # RT: Rdest1_EXTRA3
446 res['1'] = 's:BFA' # BFA: Rsrc1_EXTRA3
447 elif insn_name.startswith('cmp'): # cmpi
448 res['0'] = 'd:BF' # BF: Rdest1_EXTRA3
449 res['1'] = 's:RA' # RA: Rsrc1_EXTRA3
450 elif regs == ['RA','','','RT','','']:
451 res['0'] = 'd:RT' # RT: Rdest1_EXTRA3
452 res['1'] = 's:RA' # RA: Rsrc1_EXTRA3
453 elif regs == ['RA','','','RT','','CR0']:
454 res['0'] = 'd:RT;d:CR0' # RT,CR0: Rdest1_EXTRA3
455 res['1'] = 's:RA' # RA: Rsrc1_EXTRA3
456 elif (regs == ['RS','','','RA','','CR0'] or
457 regs == ['','','RS','RA','','CR0']):
458 res['0'] = 'd:RA;d:CR0' # RA,CR0: Rdest1_EXTRA3
459 res['1'] = 's:RS' # RS: Rsrc1_EXTRA3
460 elif regs == ['RS','','','RA','','']:
461 res['0'] = 'd:RA' # RA: Rdest1_EXTRA3
462 res['1'] = 's:RS' # RS: Rsrc1_EXTRA3
463 elif regs == ['','FRB','','FRT','0','CR1']:
464 res['0'] = 'd:FRT;d:CR1' # FRT,CR1: Rdest1_EXTRA3
465 res['1'] = 's:FRA' # FRA: Rsrc1_EXTRA3
466 elif regs == ['','FRB','','','','CR1']:
467 res['0'] = 'd:CR1' # CR1: Rdest1_EXTRA3
468 res['1'] = 's:FRB' # FRA: Rsrc1_EXTRA3
469 elif regs == ['','FRB','','','','BF']:
470 res['0'] = 'd:BF' # BF: Rdest1_EXTRA3
471 res['1'] = 's:FRB' # FRA: Rsrc1_EXTRA3
472 elif regs == ['','FRB','','FRT','','CR1']:
473 res['0'] = 'd:FRT;d:CR1' # FRT,CR1: Rdest1_EXTRA3
474 res['1'] = 's:FRB' # FRB: Rsrc1_EXTRA3
475 else:
476 res['0'] = 'TODO'
477
478 elif value == 'RM-1P-2S1D':
479 res['Etype'] = 'EXTRA3' # RM EXTRA3 type
480 if insn_name.startswith('cr'):
481 res['0'] = 'd:BT' # BT: Rdest1_EXTRA3
482 res['1'] = 's:BA' # BA: Rsrc1_EXTRA3
483 res['2'] = 's:BB' # BB: Rsrc2_EXTRA3
484 elif regs == ['FRA','','FRC','FRT','','CR1']:
485 res['0'] = 'd:FRT;d:CR1' # FRT,CR1: Rdest1_EXTRA3
486 res['1'] = 's:FRA' # FRA: Rsrc1_EXTRA3
487 res['2'] = 's:FRC' # FRC: Rsrc1_EXTRA3
488 # should be for fcmp
489 elif regs == ['FRA','FRB','','','','BF']:
490 res['0'] = 'd:BF' # BF: Rdest1_EXTRA3
491 res['1'] = 's:FRA' # FRA: Rsrc1_EXTRA3
492 res['2'] = 's:FRB' # FRB: Rsrc1_EXTRA3
493 elif regs == ['FRA','FRB','','FRT','','']:
494 res['0'] = 'd:FRT' # FRT: Rdest1_EXTRA3
495 res['1'] = 's:FRA' # FRA: Rsrc1_EXTRA3
496 res['2'] = 's:FRB' # FRB: Rsrc1_EXTRA3
497 elif regs == ['FRA','FRB','','FRT','','CR1']:
498 res['0'] = 'd:FRT;d:CR1' # FRT,CR1: Rdest1_EXTRA3
499 res['1'] = 's:FRA' # FRA: Rsrc1_EXTRA3
500 res['2'] = 's:FRB' # FRB: Rsrc1_EXTRA3
501 elif name == '2R-1W' or insn_name == 'cmpb': # cmpb
502 if insn_name in ['bpermd', 'cmpb']:
503 res['0'] = 'd:RA' # RA: Rdest1_EXTRA3
504 res['1'] = 's:RS' # RS: Rsrc1_EXTRA3
505 else:
506 res['0'] = 'd:RT' # RT: Rdest1_EXTRA3
507 res['1'] = 's:RA' # RA: Rsrc1_EXTRA3
508 res['2'] = 's:RB' # RB: Rsrc1_EXTRA3
509 elif insn_name.startswith('cmp'): # cmp
510 res['0'] = 'd:BF' # BF: Rdest1_EXTRA3
511 res['1'] = 's:RA' # RA: Rsrc1_EXTRA3
512 res['2'] = 's:RB' # RB: Rsrc1_EXTRA3
513 elif (regs == ['','RB','RS','RA','','CR0'] or
514 regs == ['RS','RB','','RA','','CR0']):
515 res['0'] = 'd:RA;d:CR0' # RA,CR0: Rdest1_EXTRA3
516 res['1'] = 's:RB' # RB: Rsrc1_EXTRA3
517 res['2'] = 's:RS' # RS: Rsrc1_EXTRA3
518 elif regs == ['RA','RB','','RT','','CR0']:
519 res['0'] = 'd:RT;d:CR0' # RT,CR0: Rdest1_EXTRA3
520 res['1'] = 's:RA' # RA: Rsrc1_EXTRA3
521 res['2'] = 's:RB' # RB: Rsrc1_EXTRA3
522 elif regs == ['RA','','RS','RA','','CR0']:
523 res['0'] = 'd:RA;d:CR0' # RA,CR0: Rdest1_EXTRA3
524 res['1'] = 's:RA' # RA: Rsrc1_EXTRA3
525 res['2'] = 's:RS' # RS: Rsrc1_EXTRA3
526 else:
527 res['0'] = 'TODO'
528
529 elif value == 'RM-2P-2S1D':
530 res['Etype'] = 'EXTRA2' # RM EXTRA2 type
531 if insn_name.startswith('mt'): # mtcrf
532 res['0'] = 'd:CR' # CR: Rdest1_EXTRA2
533 res['1'] = 's:RS' # RS: Rsrc1_EXTRA2
534 res['2'] = 's:CR' # CR: Rsrc2_EXTRA2
535 else:
536 res['0'] = 'TODO'
537
538 elif value == 'RM-1P-3S1D':
539 res['Etype'] = 'EXTRA2' # RM EXTRA2 type
540 if insn_name == 'isel':
541 res['0'] = 'd:RT' # RT: Rdest1_EXTRA2
542 res['1'] = 's:RA' # RA: Rsrc1_EXTRA2
543 res['2'] = 's:RB' # RT: Rsrc2_EXTRA2
544 res['3'] = 's:BC' # BC: Rsrc3_EXTRA2
545 else:
546 res['0'] = 'd:FRT;d:CR1' # FRT, CR1: Rdest1_EXTRA2
547 res['1'] = 's:FRA' # FRA: Rsrc1_EXTRA2
548 res['2'] = 's:FRB' # FRB: Rsrc2_EXTRA2
549 res['3'] = 's:FRC' # FRC: Rsrc3_EXTRA2
550
551 # add to svp64 csvs
552 #for k in ['in1', 'in2', 'in3', 'out', 'CR in', 'CR out']:
553 # del res[k]
554 #if res['0'] != 'TODO':
555 for k in res:
556 if res[k] == 'NONE' or res[k] == '':
557 res[k] = '0'
558 svp64[value].append(res)
559 # also add to by-CSV version
560 csv_fname = insn_to_csv[insn_name]
561 csvs_svp64[csv_fname].append(res)
562
563 print ('')
564
565 # now write out the csv files
566 for value, csv in svp64.items():
567 # print out svp64 tables by category
568 print ("## %s" % value)
569 print ('')
570 print ('[[!table format=csv file="openpower/isatables/%s.csv"]]' % \
571 value)
572 print ('')
573
574 #csvcols = ['insn', 'Ptype', 'Etype', '0', '1', '2', '3']
575 write_csv("%s.csv" % value, csv, csvcols)
576
577 # okaaay, now we re-read them back in for producing microwatt SV
578
579 # get SVP64 augmented CSV files
580 svt = SVP64RM(microwatt_format=True)
581 # Expand that (all .csv files)
582 pth = find_wiki_file("*.csv")
583
584 # Ignore those containing: valid test sprs
585 for fname in glob(pth):
586 if '-' in fname:
587 continue
588 if 'valid' in fname:
589 continue
590 if 'test' in fname:
591 continue
592 if fname.endswith('sprs.csv'):
593 continue
594 if fname.endswith('minor_19_valid.csv'):
595 continue
596 if 'RM' in fname:
597 continue
598 svp64_csv = svt.get_svp64_csv(fname)
599
600 csvcols = ['insn', 'Ptype', 'Etype']
601 csvcols += ['in1', 'in2', 'in3', 'out', 'CR in', 'CR out']
602
603 # and a nice microwatt VHDL file
604 file_path = find_wiki_file("sv_decode.vhdl")
605 with open(file_path, 'w') as vhdl:
606 # autogeneration warning
607 vhdl.write("-- this file is auto-generated, do not edit\n")
608 vhdl.write("-- http://libre-soc.org/openpower/sv_analysis.py")
609 vhdl.write("-- part of Libre-SOC, sponsored by NLnet\n")
610 vhdl.write("\n")
611
612 # first create array types
613 lens = {'major' : 63,
614 'minor_4': 63,
615 'minor_19': 7,
616 'minor_30': 15,
617 'minor_31': 1023,
618 'minor_58': 63,
619 'minor_59': 31,
620 'minor_62': 63,
621 'minor_63l': 511,
622 'minor_63h': 16,
623 }
624 for value, csv in csvs_svp64.items():
625 # munge name
626 value = value.lower()
627 value = value.replace("-", "_")
628 if value not in lens:
629 todo = " -- TODO %s (or no SVP64 augmentation)\n"
630 vhdl.write(todo % value)
631 continue
632 width = lens[value]
633 typarray = " type sv_%s_rom_array_t is " \
634 "array(0 to %d) of sv_decode_rom_t;\n"
635 vhdl.write(typarray % (value, width))
636
637 # now output structs
638 hdr = "\n" \
639 " constant sv_%s_decode_rom_array :\n" \
640 " sv_%s_rom_array_t := (\n"
641 ftr = " others => sv_illegal_inst\n" \
642 " );\n\n"
643 for value, csv in csvs_svp64.items():
644 # munge name
645 value = value.lower()
646 value = value.replace("-", "_")
647 if value not in lens:
648 continue
649 vhdl.write(hdr % (value, value))
650 for entry in csv:
651 insn = str(entry['insn'])
652 sventry = svt.svp64_instrs.get(insn, None)
653 op = insns[insn]['opcode']
654 # binary-to-vhdl-binary
655 if op.startswith("0b"):
656 op = "2#%s#" % op[2:]
657 row = []
658 for colname in csvcols[1:]:
659 re = entry[colname]
660 # zero replace with NONE
661 if re == '0':
662 re = 'NONE'
663 # 1/2 predication
664 re = re.replace("1P", "P1")
665 re = re.replace("2P", "P2")
666 row.append(re)
667 print (sventry)
668 for colname in ['sv_in1', 'sv_in2', 'sv_in3', 'sv_out',
669 'sv_cr_in', 'sv_cr_out']:
670 if sventry is None:
671 re = 'NONE'
672 else:
673 re = sventry[colname]
674 row.append(re)
675 row = ', '.join(row)
676 vhdl.write(" %13s => (%s), -- %s\n" % (op, row, insn))
677 vhdl.write(ftr)
678
679 if __name__ == '__main__':
680 process_csvs()