-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy patheqy.py
1260 lines (1074 loc) · 54.6 KB
/
eqy.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
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python3
#
# Equivalence Checking with Yosys (eqy)
#
# Copyright (C) 2020 Claire Xenia Wolf <claire@yosyshq.com>
# Copyright (C) 2020 N. Engelhardt <nak@yosyshq.com>
#
# Permission to use, copy, modify, and/or distribute this software for any
# purpose with or without fee is hereby granted, provided that the above
# copyright notice and this permission notice appear in all copies.
#
# THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
# WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
# MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
# ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
# WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
# ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
# OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
#
import argparse, types, re, glob
import os, sys, tempfile, shutil
import shlex, textwrap
import click, json, collections
##yosys-sys-path##
from eqy_job import EqyJob, EqyTask
release_version = 'unknown EQY version'
##yosys-release-version##
def exit_with_error(error, retcode=1):
print("ERROR:", error, file=sys.stderr)
exit(retcode)
def root_path():
fn = getattr(sys.modules['__main__'], '__file__')
root_path = os.path.abspath(os.path.dirname(fn))
return root_path
class DictAction(argparse.Action):
def __call__(self, parser, namespace, values, option_string=None):
assert isinstance(getattr(namespace, self.dest), dict), "Use ArgumentParser.set_defaults() to initialize {} to dict()".format(self.dest)
name = option_string.lstrip(parser.prefix_chars).replace("-", "_")
getattr(namespace, self.dest)[name] = values
def parse_args(ctx):
parser = argparse.ArgumentParser(prog="eqy",
usage="%(prog)s [options] <config>.eqy")
parser.set_defaults(exe_paths=dict())
parser.add_argument("eqyfile", metavar="<config>.eqy", type=argparse.FileType('r'), nargs='?',
help=".eqy configuration file (use - for stdin)")
dirargs = parser.add_mutually_exclusive_group()
dirargs.add_argument("-c", "--continue", action="store_true", dest="cont",
help="re-run using existing workdir")
dirargs.add_argument("-f", "--force", action="store_true", dest="force",
help="remove workdir if it already exists")
dirargs.add_argument("-b", "--backup", action="store_true", dest="backup",
help="backup workdir if it already exists")
dirargs.add_argument("-t", "--tmp", action="store_true", dest="tmpdir",
help="run in a temporary workdir (remove when finished)")
parser.add_argument("-d", metavar="<dirname>", dest="workdir",
help="set workdir name. default: <jobname>")
parser.add_argument("-m", "--setup", action="store_true", dest="setupmode",
help="generate partitions and makefiles and exit")
parser.add_argument("-k", "--keep-going", action="store_true",
help="keep going when some make targets can't be made")
parser.add_argument("-j", "--jobs", metavar="<N>", type=int, action="store", dest="num_jobs",
help="Allow running <N> make jobs at once")
parser.add_argument("-P", "--purge", action="append", dest="purgelist", metavar="<pattern>",
help="purge any <partition>/<strategy> pair, supports wildcards")
parser.add_argument("-p", action="append", dest="commands", nargs=2, metavar=("<command>", "<partition>"),
help="run the provided yosys command(s) on the specified partition(s) and exit")
parser.add_argument("-g", "--debug", action="store_true", dest="debugmode",
help="enable debug mode")
initcfg = parser.add_argument_group("template config file writer")
initcfg.add_argument("--init-config-file", metavar=("<eqy-config-file>", "<top-module>", "<gold-verilog>", "<gate-verilog>"), nargs=4,
help="create a default .eqy config file for the given top module and gold and gate source files")
exes = parser.add_argument_group("path arguments")
exes.add_argument("--yosys", metavar="<path_to_executable>",
action=DictAction, dest="exe_paths")
exes.add_argument("--abc", metavar="<path_to_executable>",
action=DictAction, dest="exe_paths")
exes.add_argument("--smtbmc", metavar="<path_to_executable>",
action=DictAction, dest="exe_paths")
exes.add_argument("--suprove", metavar="<path_to_executable>",
action=DictAction, dest="exe_paths")
exes.add_argument("--aigbmc", metavar="<path_to_executable>",
action=DictAction, dest="exe_paths")
exes.add_argument("--avy", metavar="<path_to_executable>",
action=DictAction, dest="exe_paths")
exes.add_argument("--btormc", metavar="<path_to_executable>",
action=DictAction, dest="exe_paths")
exes.add_argument("--pono", metavar="<path_to_executable>",
action=DictAction, dest="exe_paths",
help="configure which executable to use for the respective tool")
parser.add_argument('--version', action='version', version=release_version)
ctx.args = parser.parse_args()
exe_paths = {
"yosys": os.getenv("YOSYS", "yosys"),
"abc": os.getenv("ABC", "yosys-abc"),
"smtbmc": os.getenv("SMTBMC", "yosys-smtbmc"),
"suprove": os.getenv("SUPROVE", "suprove"),
"aigbmc": os.getenv("AIGBMC", "aigbmc"),
"avy": os.getenv("AVY", "avy"),
"btormc": os.getenv("BTORMC", "btormc"),
"pono": os.getenv("PONO", "pono"),
}
for k, v in ctx.args.exe_paths.items():
exe_paths[k] = v
ctx.args.exe_paths = exe_paths
if ctx.args.init_config_file is not None:
assert ctx.args.eqyfile is None
assert len(ctx.args.init_config_file) == 4
with open(ctx.args.init_config_file[0], 'w') as config:
config.write("""\
[options]
[gold]
read -sv {2}
prep -top {1}
[gate]
read -sv {3}
prep -top {1}
[strategy simple]
use sat
depth 10
""".format(*ctx.args.init_config_file))
print("eqy template config written to '{}'.".format(ctx.args.init_config_file[0]), file=sys.stderr)
sys.exit(0)
def read_config(ctx):
if ctx.args.eqyfile is None:
exit_with_error("No config file given")
simple_sections = ["options", "gold", "gate"]
pattern_sections = ["recode", "match", "collect", "partition"]
named_sections = ["strategy"]
# TODO: properly initialize options according to meaning
# how about adding sections only as headers are encountered, so that we can check for existence?
for s in simple_sections + pattern_sections:
setattr(ctx, s, list())
for s in named_sections:
setattr(ctx, s, dict())
ctx.options = types.SimpleNamespace()
ctx.options.splitnets = False
ctx.options.insbuf = True
section = None
sectionarg = None
match_default = True
linenr = 0
for line in ctx.args.eqyfile:
linenr += 1
# take this out if we want to do --pycode--
line = line.strip()
# can we PLEASE have a comment character
if line == "" or line.startswith('#'):
continue
match = re.match(r"^\[(.*)\]\s*$", line)
if match:
entries = match.group(1).split()
if len(entries) == 1 and entries[0] in simple_sections + ["script"]:
section, sectionarg = entries[0], None
continue
if len(entries) == (3 if entries[0] == "recode" else 2) and entries[0] in pattern_sections:
if entries[0] == "recode":
section, sectionarg = (entries[0], (entries[1], entries[2]))
else:
section, sectionarg = entries
continue
if len(entries) == 2 and entries[0] in named_sections:
section, sectionarg = entries
if sectionarg not in getattr(ctx, section):
getattr(ctx, section)[sectionarg] = list()
else:
exit_with_error(f"duplicated {section} section '{sectionarg}' in {ctx.args.eqyfile.name} line {linenr}")
continue
else:
if section == "match" and line == "nodefault":
match_default = False
continue
if section == "options":
fields = line.split(None, 1)
if len(fields) == 2:
if not hasattr(ctx.options, fields[0]):
exit_with_error(f"unknown option '{fields[0]}' in {ctx.args.eqyfile.name} line {linenr}: {line}")
if type(getattr(ctx.options, fields[0])) is bool and fields[1] in ("on", "off"):
setattr(ctx.options, fields[0], fields[1] == "on")
continue
if type(getattr(ctx.options, fields[0])) is str:
setattr(ctx.options, fields[0], fields[1])
continue
if type(getattr(ctx.options, fields[0])) is int:
try:
setattr(ctx.options, fields[0], int(fields[1]))
except ValueError:
pass
else:
continue
exit_with_error(f"syntax error in {section} section in {ctx.args.eqyfile.name} line {linenr}: {line}")
if section == "script":
ctx.gold.append(line)
ctx.gate.append(line)
continue
if section in simple_sections:
getattr(ctx, section).append(line)
continue
if section in pattern_sections:
getattr(ctx, section).append((sectionarg, line))
continue
if section in named_sections:
getattr(ctx, section)[sectionarg].append(line)
continue
exit_with_error(f"syntax error in {ctx.args.eqyfile.name} line {linenr}")
if match_default:
ctx.match.append(("*", "gold-match *"))
return ctx
def setup_workdir(args):
name = ""
if not args.workdir:
if args.eqyfile.name != "<stdin>":
name = os.path.splitext(os.path.basename(args.eqyfile.name))[0]
name = re.sub(r'\W+', '', name)
if args.tmpdir:
if args.workdir:
exit_with_error("Cannot use -d with -t")
args.workdir = tempfile.mkdtemp()
elif not args.workdir and name == "":
print("Cannot derive workdir name from config file name. Using temporary directory.")
args.workdir = tempfile.mkdtemp()
else:
if not args.workdir:
args.workdir = name
if os.path.exists(args.workdir):
if args.backup:
backup_idx = 0
while os.path.exists("{}.bak{:03d}".format(args.workdir, backup_idx)):
backup_idx += 1
shutil.move(args.workdir, "{}.bak{:03d}".format(args.workdir, backup_idx))
if args.force:
shutil.rmtree(args.workdir, ignore_errors=True)
if args.cont:
if not os.path.exists(args.workdir):
exit_with_error("Cannot continue in '{}': no such directory".format(args.workdir))
if not os.path.isdir(args.workdir):
exit_with_error("Cannot continue in '{}': not a directory".format(args.workdir))
else:
if os.path.exists(args.workdir):
exit_with_error("Directory '{}' already exists".format(args.workdir))
os.makedirs(args.workdir)
for f in "PASS FAIL UNKNOWN ERROR TIMEOUT status".split():
if os.path.exists(args.workdir + "/" + f):
os.remove(args.workdir + "/" + f)
def build_gate_gold(args, cfg, job):
with open(args.workdir + "/gold.ys", "w") as f:
for line in cfg.gold:
print(line, file=f)
if cfg.options.splitnets:
print("splitnets -ports", file=f)
print("opt_clean", file=f)
print("check -initdrv", file=f)
print("setundef -undriven -undef", file=f)
print("write_rtlil {}/gold.il".format(args.workdir), file=f)
with open(args.workdir + "/gate.ys", "w") as f:
for line in cfg.gate:
print(line, file=f)
if cfg.options.splitnets:
print("splitnets -ports", file=f)
print("opt_clean", file=f)
print("check -initdrv", file=f)
print("setundef -undriven -undef", file=f)
print("write_rtlil {}/gate.il".format(args.workdir), file=f)
gold_task = EqyTask(job, "read_gold", [], "{yosys}{gopt} -ql {workdir}/gold.log {workdir}/gold.ys".format(
yosys=args.exe_paths["yosys"], gopt=" -g" if args.debugmode else "", workdir=args.workdir))
gold_task.checkretcode = True
gate_task = EqyTask(job, "read_gate", [], "{yosys}{gopt} -ql {workdir}/gate.log {workdir}/gate.ys".format(
yosys=args.exe_paths["yosys"], gopt=" -g" if args.debugmode else "", workdir=args.workdir))
gate_task.checkretcode = True
job.run()
if (job.status == "ERROR"):
exit_with_error("Reading sources failed.")
def build_get_ids(args, cfg, job):
plugin_path = root_path() + '/../share/yosys/plugins' # for install
if (not os.path.exists(plugin_path)):
plugin_path = root_path() # for development
with open(args.workdir + "/get_ids.ys", "w") as f:
print("plugin -i {}/eqy_combine.so".format(plugin_path), file=f)
print("read_rtlil {}/gold.il".format(args.workdir), file=f)
print("uniquify", file=f)
print("hierarchy", file=f)
print("design -stash gold", file=f)
print("read_rtlil {}/gate.il".format(args.workdir), file=f)
print("uniquify", file=f)
print("hierarchy", file=f)
print("design -stash gate", file=f)
# reuse combine just to generate ids
print("{dbg}eqy_combine -gold_ids {wd}/gold.ids -gate_ids {wd}/gate.ids -nocombine".format(dbg="debug " if args.debugmode else "", wd=args.workdir), file=f)
get_ids_task = EqyTask(job, "get_ids", [], "{yosys}{gopt} -ql {workdir}/get_ids.log {workdir}/get_ids.ys".format(
yosys=args.exe_paths["yosys"], gopt=" -g" if args.debugmode else "", workdir=args.workdir))
def check_retcode(retcode):
if (retcode != 0):
exit_with_error(f"Failed to get ids from designs. For details see '{args.workdir}/get_ids.log'.")
get_ids_task.exit_callback = check_retcode
job.run()
def recode_ids(args, cfg, job):
# use temporary ids generated by build_get_ids
gold_ids = read_ids(args.workdir + "/gold.ids")
gate_ids = read_ids(args.workdir + "/gate.ids")
with open(args.workdir + "/recode.ids", 'w') as f:
for pattern, line in cfg.recode:
line = line.split()
if len(line) == 0:
continue
if len(line) in [2]:
for module_match in search_modules(cfg, gold_ids, pattern[0]):
if module_match in gate_ids:
for entity_match, _ in search_entities(cfg, gold_ids[module_match], gate_ids[module_match], pattern[1], None):
print(module_match, entity_match, line[0], line[1], file=f)
else:
exit_with_error(f"Module '{module_match}' must exist in gate design.")
else:
exit_with_error(f"Syntax error in match command \"{' '.join(line)}\"")
def build_recode(args, ctx, job):
recode_ids(args, ctx, job)
plugin_path = root_path() + '/../share/yosys/plugins' # for install
if (not os.path.exists(plugin_path)):
plugin_path = root_path() # for development
with open(args.workdir + "/recode.ys", "w") as f:
print("plugin -i {}/eqy_recode.so".format(plugin_path), file=f)
print("read_rtlil {}/gold.il".format(args.workdir), file=f)
print("design -stash gold", file=f)
print("read_rtlil {}/gate.il".format(args.workdir), file=f)
print("{dbg}eqy_recode -recode {wd}/recode.ids".format(dbg="debug " if args.debugmode else "", wd=args.workdir), file=f)
print("write_rtlil {}/gate_recoded.il".format(args.workdir), file=f)
recode_task = EqyTask(job, "recode", [], "{yosys}{gopt} -ql {workdir}/recode.log {workdir}/recode.ys".format(
yosys=args.exe_paths["yosys"], gopt=" -g" if args.debugmode else "", workdir=args.workdir))
def check_retcode(retcode):
if (retcode != 0):
exit_with_error(f"Failed to recode designs. For details see '{args.workdir}/recode.log'.")
recode_task.exit_callback = check_retcode
job.run()
def build_combined(args, cfg, job):
plugin_path = root_path() + '/../share/yosys/plugins' # for install
if (not os.path.exists(plugin_path)):
plugin_path = root_path() # for development
with open(args.workdir + "/combine.ys", "w") as f:
print("plugin -i {}/eqy_combine.so".format(plugin_path), file=f)
print("read_rtlil {}/gold.il".format(args.workdir), file=f)
print("uniquify", file=f)
print("hierarchy", file=f)
print("design -stash gold", file=f)
print("read_rtlil {}/gate_recoded.il".format(args.workdir), file=f)
print("uniquify", file=f)
print("hierarchy", file=f)
print("design -stash gate", file=f)
print("{dbg}eqy_combine -gold_ids {wd}/gold.ids -gate_ids {wd}/gate_recoded.ids".format(dbg="debug " if args.debugmode else "", wd=args.workdir), file=f)
print("write_rtlil {}/combined.il".format(args.workdir), file=f)
combine_task = EqyTask(job, "combine", [], "{yosys}{gopt} -ql {workdir}/combine.log {workdir}/combine.ys".format(
yosys=args.exe_paths["yosys"], gopt=" -g" if args.debugmode else "", workdir=args.workdir))
def check_retcode(retcode):
if (retcode != 0):
exit_with_error(f"Failed to combine designs. For details see '{args.workdir}/combine.log'.")
combine_task.exit_callback = check_retcode
job.run()
def read_ids(filename):
ids = collections.defaultdict(dict)
with open(filename) as f:
for lineno, line in enumerate(f):
line = shlex.split(line)
if len(line) == 0 or line[0].startswith("#"):
continue
if len(line) < 3:
exit_with_error("Syntax error in line {}".format(lineno))
modname = line[0]
objname = line[1]
opts = line[2:]
ids[modname][objname] = dict()
for opt in opts:
if "=" in opt:
optkey, optval = opt.split("=", maxsplit=1)
else:
optkey, optval = opt, None
if optkey in ("N"):
if optkey not in ids[modname][objname]:
ids[modname][objname][optkey] = list()
ids[modname][objname][optkey].append(optval)
continue
if optkey.startswith("A:") or optkey in ("c", "w", "P"):
ids[modname][objname][optkey] = optval
continue
exit_with_error("Invalid option {} in line {}".format(optkey, lineno))
if 'w' not in ids[modname][objname] and 'c' not in ids[modname][objname] and objname != ".":
exit_with_error("Missing type in line {}".format(lineno))
return ids
class Pattern:
repl_re = re.compile(r"\\([0-9]+)|\\g<([^>]+)>")
pattern_re = re.compile(r"(/(?:[^/]|\\/)+/i?|(?:[a-zA-Z0-9_.*?]|\\.|\[[^\]]*\])+),?")
@staticmethod
def shell_pattern_to_regex(pattern):
chars = iter(pattern)
regex = list()
for tok in chars:
if tok == "*":
regex.append("(.*)")
continue
if tok == "?":
regex.append("(.)")
continue
if tok == "[":
for char in chars:
tok += char
if char == "]": break
if tok == "[]":
regex = ["("] + regex + [r")\[(\d+)\]"]
else:
regex.append(f"({tok})")
continue
if tok == "\\":
regex.append(tok + next(chars))
continue
regex.append(tok)
return re.compile("".join(regex))
def __init__(self, pattern, groups, groupdict):
def repl(match):
if match[1] is not None:
return re.escape(groups[int(match[1])])
if match[2] is not None:
return re.escape(groupdict[match[2]])
assert False
self.direct = self.repl_re.sub(repl, pattern)
plist = self.pattern_re.split(self.direct)
if "".join(plist[0::2]) != "":
details = []
for i, t in enumerate(plist):
details.append("\n '{}' (expected {})".format(t, "''" if i%2 == 0 else "pattern"))
exit_with_error("Parser error in pattern '{}': {}".format(pattern, "".join(details)))
self.patterns = list()
for pattern in plist[1::2]:
p = types.SimpleNamespace()
if pattern.startswith("/"):
p.type = "regex"
if pattern.endswith("/i"):
p.regex = re.compile(pattern[1:-2], re.I)
else:
assert pattern.endswith("/")
p.regex = re.compile(pattern[1:-1])
else:
p.type = "shell"
p.expr = pattern
p.regex = self.shell_pattern_to_regex(pattern)
self.patterns.append(p)
def match(self, name, metadata):
for p in self.patterns:
# TBD: Attribute Patterns
# TBD: Partition Patterns
if p.type in ("regex", "shell"):
if m := p.regex.fullmatch(name):
groups = [m.group()] + list(m.groups())
groupdict = m.groupdict()
return (name, groups, groupdict)
continue
assert False
return None
def search(self, ids):
if self.direct in ids:
return [(self.direct, [self.direct], {})]
results = list()
for name, metadata in sorted(ids.items()):
if name == ".":
continue
if (m := self.match(name, metadata)) is not None:
results.append(m)
return results
def search_modules(ctx, ids, expr, excl=set()):
matches = []
pattern = Pattern(expr, [], {})
for key in sorted(ids):
if pattern.match(key, {}):
if key not in excl: matches.append(key)
return matches
def search_entities(ctx, ids, other_ids, expr, other_expr, excl=set(), other_excl=set()):
matches = []
found_first = False
found_second = other_ids is None
lhs = Pattern(expr, [], {})
for name, groups, groupdict in lhs.search(ids):
found_first = True
if other_expr is None:
if other_ids is None or name in other_ids:
if name not in excl and name not in other_excl: matches.append((name, name))
found_second = True
else:
rhs = Pattern(other_expr, groups, groupdict)
for other_name, _, _ in rhs.search(other_ids):
if name not in excl and other_name not in other_excl: matches.append((name, other_name))
found_second = True
if not found_first:
if other_expr is None:
ctx.job.warning(f"Cannot find entity {expr}.")
else:
ctx.job.warning(f"Cannot find first entity in {expr} {other_expr}.")
elif not found_second:
ctx.job.warning(f"Cannot find second entity in {expr} {other_expr}.")
return matches
def match_ids(args, cfg, job):
cfg.matched_ids = collections.defaultdict(dict)
used_gold_ids = collections.defaultdict(set)
used_gate_ids = collections.defaultdict(set)
with open(args.workdir + "/matched.ids", 'w') as f:
for pattern, line in cfg.match:
line = line.split()
if len(line) == 0:
continue
match_counter = 0
print(f"# [{pattern}] {' '.join(line)}", file=f)
if final_mode := line[0] in ("final-gold-match", "final-gate-match"):
line[0] = line[0][6:]
if line[0] == "gold-match" and len(line) in [2, 3]:
for module_match in search_modules(cfg, cfg.gold_ids, pattern):
if module_match in cfg.gate_ids: #TODO: is this the right way to deal with missing module hierarchy?
for entity_match in search_entities(cfg, cfg.gold_ids[module_match], cfg.gate_ids[module_match],
line[1], line[2] if len(line) == 3 else None,
used_gold_ids[module_match], used_gate_ids[module_match]):
match_counter += 1
print(module_match, entity_match[0], entity_match[1], file=f)
cfg.matched_ids[module_match][entity_match[0]] = cfg.gold_ids[module_match][entity_match[0]]
if final_mode:
used_gold_ids[module_match].add(entity_match[0])
used_gate_ids[module_match].add(entity_match[1])
elif line[0] == "gate-match" and len(line) in [2, 3]:
for module_match in search_modules(cfg, cfg.gate_ids, pattern):
if module_match in cfg.gold_ids:
for entity_match in search_entities(cfg, cfg.gate_ids[module_match], cfg.gold_ids[module_match],
line[1], line[2] if len(line) == 3 else None,
used_gate_ids[module_match], used_gold_ids[module_match]):
match_counter += 1
print(module_match, entity_match[1], entity_match[0], file=f)
cfg.matched_ids[module_match][entity_match[1]] = cfg.gold_ids[module_match][entity_match[1]]
if final_mode:
used_gate_ids[module_match].add(entity_match[0])
used_gold_ids[module_match].add(entity_match[1])
elif line[0] == "gold-nomatch" and len(line) == 2:
for module_match in search_modules(cfg, cfg.gold_ids, pattern):
for entity_match in search_entities(cfg, cfg.gold_ids[module_match], None, line[1], None, used_gold_ids[module_match]):
match_counter += 1
used_gold_ids[module_match].add(entity_match[0])
elif line[0] == "gate-nomatch" and len(line) == 2:
for module_match in search_modules(cfg, cfg.gate_ids, pattern):
for entity_match in search_entities(cfg, cfg.gate_ids[module_match], None, line[1], None, used_gate_ids[module_match]):
match_counter += 1
used_gate_ids[module_match].add(entity_match[0])
else:
exit_with_error(f"Syntax error in match command \"{' '.join(line)}\"")
if args.debugmode:
job.log(f"Matched {match_counter} nets: [{pattern}] {' '.join(line)}")
def partition_ids(ctx):
ctx.part_name_cache = dict()
no_database = {
"bind": set(), "join": set(), "solo": set(), "group": set(),
"sticky": set(), "merge": set(), "name": set(), "final": set(), "amend": set()
}
with open(ctx.args.workdir + "/partition.ids", "w") as partids_f:
for pattern, line in ctx.collect:
line = line.split()
if solo_mode := (line[0] in ("solo-group", "solo-join") and len(line) == 2):
line[0] = line[0][5:]
if line[0] in ("nobind", "nojoin", "nogroup", "nosolo") and len(line) == 2:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
for entity_match, _ in search_entities(ctx, ctx.matched_ids[module_match], None, line[1], None, no_database[line[0][2:]]):
no_database[line[0][2:]].add((module_match, entity_match))
continue
if line[0] in ("bind", "join", "solo") and len(line) == 2:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
for entity_match, _ in search_entities(ctx, ctx.matched_ids[module_match], None, line[1], None, no_database[line[0]]):
if solo_mode and (module_match, entity_match) not in no_database["solo"]:
print("solo", module_match, entity_match, file=partids_f)
print("group" if line[0] == "join" else line[0], module_match, entity_match, file=partids_f)
continue
if line[0] == "group" and len(line) == 2:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
group = set()
for entity_match, _ in search_entities(ctx, ctx.matched_ids[module_match], None, line[1], None, no_database["group"]):
if solo_mode and (module_match, entity_match) not in no_database["solo"]:
print("solo", module_match, entity_match, file=partids_f)
group.add(entity_match)
if group:
print(line[0], module_match, *sorted(group), file=partids_f)
continue
if line[0] == "group" and len(line) == 3:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
groups = collections.defaultdict(set)
for lhs, rhs in search_entities(ctx, ctx.matched_ids[module_match], ctx.matched_ids[module_match],
line[1], line[2], no_database[line[0]], no_database[line[0]]):
groups[lhs].add(rhs)
for lhs, rhs in groups.items():
print(line[0], module_match, lhs, *rhs, file=partids_f)
continue
exit_with_error(f"Syntax error in collect command \"{' '.join(line)}\"")
for pattern, line in ctx.partition:
line = line.split()
if line[0] in ("nosticky", "nomerge", "noname", "noamend") and len(line) == 2:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
for entity_match, _ in search_entities(ctx, ctx.matched_ids[module_match], None, line[1], None, no_database[line[0][2:]]):
no_database[line[0][2:]].add((module_match, entity_match))
if line[0] == "noamend":
print(line[0], module_match, entity_match, file=partids_f)
continue
if line[0] in ("sticky", "final", "amend") and len(line) == 2:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
for entity_match, _ in search_entities(ctx, ctx.matched_ids[module_match], None, line[1], None, no_database[line[0]]):
print(line[0], module_match, entity_match, file=partids_f)
continue
if line[0] == "name" and len(line) == 3:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
for entity_match, _ in search_entities(ctx, ctx.matched_ids[module_match], None, line[2], None, no_database[line[0]]):
print(line[0], module_match, entity_match, line[1], file=partids_f)
ctx.part_name_cache[module_match, line[1]] = entity_match
continue
if line[0] == "merge" and len(line) == 2:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
group = set()
for entity_match, _ in search_entities(ctx, ctx.matched_ids[module_match], None, line[1], None, no_database[line[0]]):
group.add(entity_match)
if group:
print(line[0], module_match, *sorted(group), file=partids_f)
continue
if line[0] == "merge" and len(line) == 3:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
groups = collections.defaultdict(set)
for lhs, rhs in search_entities(ctx, ctx.matched_ids[module_match], ctx.matched_ids[module_match],
line[1], line[2], no_database[line[0]], no_database[line[0]]):
groups[lhs].add(rhs)
for lhs, rhs in groups.items():
print(line[0], module_match, lhs, *rhs, file=partids_f)
continue
if line[0] in ("path", "amend") and len(line) == 3:
for module_match in search_modules(ctx, ctx.matched_ids, pattern):
for lhs, rhs in search_entities(ctx, ctx.matched_ids[module_match], ctx.matched_ids[module_match],
line[1], line[2], no_database[line[0]], no_database[line[0]]):
print(line[0], module_match, lhs, rhs, file=partids_f)
continue
exit_with_error(f"Syntax error in partition command \"{' '.join(line)}\"")
def make_partitions(args, cfg, job):
partition_ids(cfg)
plugin_path = root_path() + '/../share/yosys/plugins' # for install
if (not os.path.exists(plugin_path)):
plugin_path = root_path() # for development
with open(args.workdir + "/partition.ys", "w") as f:
print("plugin -i {}/eqy_partition.so".format(plugin_path), file=f)
print("read_rtlil combined.il".format(args.workdir), file=f)
if cfg.options.insbuf:
print("insbuf -chain", file=f)
print("{dbg}eqy_partition -matched_ids matched.ids -partition_ids partition.ids".format(dbg="debug " if args.debugmode else ""), file=f)
if not os.path.isdir(args.workdir + "/modules"):
os.mkdir(args.workdir + "/modules")
if not os.path.isdir(args.workdir + "/fragments"):
os.mkdir(args.workdir + "/fragments")
if not os.path.isdir(args.workdir + "/partitions"):
os.mkdir(args.workdir + "/partitions")
partition_task = EqyTask(job, "partition", [], "cd {workdir}; {yosys} -ql partition.log partition.ys".format(yosys=args.exe_paths["yosys"], workdir=args.workdir))
def check_retcode(retcode):
if (retcode != 0):
exit_with_error(f"Failed to partition design. For details see '{args.workdir}/partition.log'.")
partition_task.exit_callback = check_retcode
job.run()
class EqyStrategy:
default_scfg = {}
def __init__(self, args, cfg, name):
self.args, self.cfg, self.name = args, cfg, name
self.apply_rules = list()
self.parse()
self.check_scfg()
def parse(self):
self.scfg = types.SimpleNamespace(**self.default_scfg)
self.options_seen = set()
for input_line in self.cfg.strategy[self.name]:
input_line = input_line.strip()
line = input_line.split(None, 1)
if len(line) == 1:
line.append(None)
error_msg = getattr(self, f"parse_opt_{line[0]}", self.parse_other_option)(*line)
if error_msg:
exit_with_error(f"Error parsing strategy config line '{input_line}' in strategy '{self.name}': {error_msg}")
def check_scfg(self):
pass
def parse_opt_use(self, name, value):
if name in self.options_seen:
return "repeated option"
self.options_seen.add(name)
def parse_opt_pin(self, name, value):
self.apply_rules.append((name, value))
def parse_opt_apply(self, name, value):
self.apply_rules.append((name, value))
def parse_opt_noapply(self, name, value):
self.apply_rules.append((name, value))
def parse_other_option(self, name, value):
return f"unknown option '{name}'"
def int_opt_parser(self, name, value):
if name in self.options_seen:
return "repeated option"
self.options_seen.add(name)
if value is None:
return "expected option value"
try:
setattr(self.scfg, name, int(value))
except ValueError:
return "expected integer option"
def string_opt_parser(self, name, value):
if name in self.options_seen:
return "repeated option"
self.options_seen.add(name)
if value is None:
return "expected option value"
setattr(self.scfg, name, value)
def multi_string_opt_parser(self, name, value):
if name not in self.options_seen:
self.options_seen.add(name)
setattr(self.scfg, name, [])
getattr(self.scfg, name).append(value)
def bool_opt_parser(self, name, value):
if name in self.options_seen:
return "repeated option"
self.options_seen.add(name)
if value is None:
return "expected option value"
if value not in ("on", "off"):
return "expected one of 'on', 'off'"
setattr(self.scfg, name, value == "on")
def partition_supported(self, job, partition):
return True
def write(self, job, partition):
raise NotImplemented("EqyStrategy.write not implemented")
def path(self, partition, suffix):
return f"{self.args.workdir}/strategies/{partition}/{self.name}/{suffix}"
class EqyDummyStrategy(EqyStrategy):
def write(self, job, partition):
with open(self.path(partition.name, "run.sh"), "w") as run_f:
print("echo UNKNOWN > status", file=run_f)
print(f"echo \"Setting unknown status for partition '{partition.name}' via dummy strategy '{self.name}'\"", file=run_f)
class EqySatStrategy(EqyStrategy):
default_scfg = dict(depth=5)
parse_opt_depth = EqyStrategy.int_opt_parser
def partition_supported(self, job, partition):
if 'memory' in partition.attributes:
job.log(f"Skipping strategy '{self.name}' for partition '{partition.name}' as it contains memory.")
return False
return True
def write(self, job, partition):
with open(self.path(partition.name, "run.sh"), "w") as run_f:
print(textwrap.dedent(f"""
yosys -ql run.log run.ys
if grep "SAT temporal induction proof finished - model found for base case: FAIL!" run.log > /dev/null ; then
\techo FAIL > status
\techo "Could not prove equivalence of partition '{partition.name}' using strategy '{self.name}'"
elif grep "Reached maximum number of time steps -> proof failed." run.log > /dev/null ; then
\techo UNKNOWN > status
\techo "Could not prove equivalence of partition '{partition.name}' using strategy '{self.name}'"
elif grep "Induction step proven: SUCCESS!" run.log > /dev/null ; then
\techo PASS > status
\techo "Proved equivalence of partition '{partition.name}' using strategy '{self.name}'"
else
\techo ERROR > status
\techo "Execution of strategy '{self.name}' on partition '{partition.name}' encountered an error.
Details can be found in '{self.args.workdir}/strategies/{partition.name}/{self.name}/run.log'."
\texit 1
fi
exit 0
"""[1:-1]), file=run_f)
with open(self.path(partition.name, "run.ys"), "w") as ys_f:
print(f"verilog_defaults -add -D CHECK_OUTPUTS", file=ys_f)
print(f"read_verilog -sv ../../../partitions/{partition.name}.sv", file=ys_f)
print(f"read_rtlil ../../../partitions/{partition.name}.il", file=ys_f)
print(f"hierarchy -top miter; proc; chformal -cover -remove", file=ys_f)
print("async2sync", file=ys_f) # async2sync after a user script clk2fflogic is a noop
print(f"formalff -clk2ff -ff2anyinit gate.{partition.name}", file=ys_f)
print(f"setundef -anyseq gate.{partition.name}", file=ys_f)
print(f"flatten -wb; dffunmap; opt_expr -keepdc -undriven; opt_clean", file=ys_f)
print(f"sat -tempinduct -set-init-undef -set-def-formal -set-def-inputs -maxsteps {self.scfg.depth} " + \
f"-set-assumes -prove-asserts -show-public -dump_vcd trace.vcd miter", file=ys_f)
class EqySbyStrategy(EqyStrategy):
default_scfg = dict(engine='smtbmc', depth=5, xprop=True, timeout=None, option=())
parse_opt_engine = EqyStrategy.string_opt_parser
parse_opt_depth = EqyStrategy.int_opt_parser
parse_opt_xprop = EqyStrategy.bool_opt_parser
parse_opt_timeout = EqyStrategy.int_opt_parser
parse_opt_option = EqyStrategy.multi_string_opt_parser
def write(self, job, partition):
with open(self.path(partition.name, f"{partition.name}.sby"), "w") as sby_f:
print(textwrap.dedent(f"""
[options]
mode prove
depth {self.scfg.depth}
expect pass,fail,unknown,timeout
"""[1:-1]), file=sby_f)
if self.scfg.timeout:
print(f"timeout {self.scfg.timeout}", file=sby_f)
for option in self.scfg.option:
print(option, file=sby_f)
print(textwrap.dedent(f"""
[engines]
{self.scfg.engine}
[script]
verilog_defaults -add -D CHECK_OUTPUTS
read_verilog -sv ../../../../../partitions/{partition.name}.sv
read_rtlil ../../../../../partitions/{partition.name}.il
hierarchy -top miter; proc
"""[1:-1]), file=sby_f)
if self.scfg.xprop:
print(textwrap.dedent(f"""
async2sync
formalff -clk2ff -ff2anyinit gate.{partition.name}
setundef -anyseq gate.{partition.name}
flatten -wb; dffunmap; opt_expr -keepdc -undriven; opt_clean
xprop -formal -split-ports -assume-def-inputs miter
"""[1:-1]), file=sby_f)
else:
print(textwrap.dedent(f"""
flatten -wb; dffunmap; opt_expr -keepdc -undriven; opt_clean
"""[1:-1]), file=sby_f)
with open(self.path(partition.name, "run.sh"), "w") as run_f:
print(textwrap.dedent(f"""
STATUS=ERROR
sby -f {partition.name}.sby > /dev/null && STATUS=$(awk '{{print $1}}' {partition.name}/status)
echo $STATUS > status
case $STATUS in
PASS)
echo "Proved equivalence of partition '{partition.name}' using strategy '{self.name}'"
;;
FAIL)
echo "Could not prove equivalence of partition '{partition.name}' using strategy '{self.name}': partitions not equivalent"
;;
UNKNOWN)
echo "Could not prove equivalence of partition '{partition.name}' using strategy '{self.name}': equivalence unknown"
;;
TIMEOUT)
echo "Could not prove equivalence of partition '{partition.name}' using strategy '{self.name}': timeout"
;;
*)
cat {partition.name}/ERROR 2> /dev/null
echo "Execution of strategy '{self.name}' on partition '{partition.name}' encountered an error."
echo "More details can be found in '{self.path(partition.name, f'{partition.name}/logfile.txt')}'."
exit 1
;;
esac
exit 0
"""[1:-1]), file=run_f)
class EqyImctkStrategy(EqySbyStrategy):
default_scfg = dict(
engine='aiger imctk-eqy-engine',
depth=5,
xprop=True,
rarity_sim_rounds=5,
window_min=3,
window_max=8,
timeout=None,
option=()
)
parse_opt_rarity_sim_rounds = EqyStrategy.int_opt_parser
parse_opt_window_min = EqyStrategy.int_opt_parser
parse_opt_window_max = EqyStrategy.int_opt_parser
def parse_opt_engine(self, *line):
self.parse_other_option(*line)
def write(self, job, partition):
self.scfg.engine = ' '.join([
'aiger imctk-eqy-engine',
f'--rarity-sim-rounds {self.scfg.rarity_sim_rounds}',