3
0
Fork 0
mirror of https://github.com/YosysHQ/sby.git synced 2025-05-02 17:57:00 +00:00

Refactor tests

Organize tests into subdirectories and use a new makefile that scans
.sby files and allows selecting tests by mode, engine, solver and/or
subdirectory. Automatically skips tests that use engines/solvers that
are not found in the PATH.

See `cd tests; make help` for a description of supported make targets.
This commit is contained in:
Jannis Harder 2022-04-11 17:39:05 +02:00
parent 6daa434d85
commit 8da6f07cb3
60 changed files with 328 additions and 101 deletions

View file

@ -0,0 +1,47 @@
from pathlib import Path
import re
tests = []
checked_dirs = []
SAFE_PATH = re.compile(r"^[a-zA-Z0-9_./]*$")
def collect(path):
# don't pick up any paths that need escaping nor any sby workdirs
if not SAFE_PATH.match(str(path)) or (path / "config.sby").exists():
return
checked_dirs.append(path)
for entry in path.glob("*.sby"):
filename = str(entry)
if not SAFE_PATH.match(filename):
continue
if not re.match(r"^[a-zA-Z0-9_./]*$", filename):
print(f"skipping {filename!r}, use only [a-zA-Z0-9_./] in filenames")
continue
tests.append(entry)
for entry in path.glob("*"):
if entry.is_dir():
collect(entry)
collect(Path("."))
out_file = Path("make/rules/collect.mk")
out_file.parent.mkdir(exist_ok=True)
with out_file.open("w") as output:
for checked_dir in checked_dirs:
print(f"{out_file}: {checked_dir}", file=output)
for test in tests:
print(f"make/rules/test/{test}.mk: {test}", file=output)
for ext in [".sh", ".py"]:
script_file = test.parent / (test.stem + ext)
if script_file.exists():
print(f"make/rules/test/{test}.mk: {script_file}", file=output)
print(f"make/rules/test/{test}.mk: make/test_rules.py", file=output)
for test in tests:
print(f"-include make/rules/test/{test}.mk", file=output)

20
tests/make/help.txt Normal file
View file

@ -0,0 +1,20 @@
make test:
run all tests (default)
make clean:
remove all sby workdirs
make test[_m_<mode>][_e_<engine>][_s_<solver>]:
run all tests that use a specific mode, engine and solver
make <name>:
run the test for <name>.sby
make refresh:
do nothing apart from refreshing generated make rules
make help:
show this help
running make in a subdirectory or prefixing the target with the subdirectory
limits the test selection to that directory

15
tests/make/subdir.mk Normal file
View file

@ -0,0 +1,15 @@
test:
@$(MAKE) -C .. $(SUBDIR)/$@
.PHONY: test refresh IMPLICIT_PHONY
IMPLICIT_PHONY:
refresh:
@$(MAKE) -C .. refresh
help:
@$(MAKE) -C .. help
%: IMPLICIT_PHONY
@$(MAKE) -C .. $(SUBDIR)/$@

135
tests/make/test_rules.py Normal file
View file

@ -0,0 +1,135 @@
import shutil
import sys
import os
import subprocess
import json
from pathlib import Path
sby_file = Path(sys.argv[1])
sby_dir = sby_file.parent
taskinfo = json.loads(
subprocess.check_output(
[sys.executable, os.getenv("SBY_MAIN"), "--dumptaskinfo", sby_file]
)
)
def parse_engine(engine):
engine, *args = engine
default_solvers = {"smtbmc": "yices"}
for arg in args:
if not arg.startswith("-"):
return engine, arg
return engine, default_solvers.get(engine)
REQUIRED_TOOLS = {
("smtbmc", "yices"): ["yices-smt2"],
("smtbmc", "z3"): ["z3"],
("smtbmc", "cvc4"): ["cvc4"],
("smtbmc", "mathsat"): ["mathsat"],
("smtbmc", "boolector"): ["boolector"],
("smtbmc", "bitwuzla"): ["bitwuzla"],
("smtbmc", "abc"): ["yosys-abc"],
("aiger", "suprove"): ["suprove"],
("aiger", "avy"): ["avy"],
("aiger", "aigbmc"): ["aigbmc"],
("btor", "btormc"): ["btormc"],
("btor", "pono"): ["pono"],
}
rules_file = Path("make/rules/test") / sby_dir / (sby_file.name + ".mk")
rules_file.parent.mkdir(exist_ok=True, parents=True)
with rules_file.open("w") as rules:
name = str(sby_dir / sby_file.stem)
for task, info in taskinfo.items():
target = name
workdirname = sby_file.stem
if task:
target += f"_{task}"
workdirname += f"_{task}"
engines = set()
solvers = set()
engine_solvers = set()
required_tools = set()
for engine in info["engines"]:
engine, solver = parse_engine(engine)
engines.add(engine)
required_tools.update(REQUIRED_TOOLS.get((engine, solver), ()))
if solver:
solvers.add(solver)
engine_solvers.add((engine, solver))
print(f".PHONY: {target}", file=rules)
print(f"{target}:", file=rules)
shell_script = sby_dir / f"{sby_file.stem}.sh"
missing_tools = sorted(
f"`{tool}`" for tool in required_tools if shutil.which(tool) is None
)
if missing_tools:
print(
f"\t@echo; echo 'SKIPPING {target}: {', '.join(missing_tools)} not found'; echo",
file=rules,
)
elif shell_script.exists():
print(
f"\tcd {sby_dir} && SBY_FILE={sby_file.name} WORKDIR={workdirname} TASK={task} bash {shell_script.name}",
file=rules,
)
else:
print(
f"\tcd {sby_dir} && python3 $(SBY_MAIN) -f {sby_file.name} {task}",
file=rules,
)
print(f".PHONY: clean-{target}", file=rules)
print(f"clean-{target}:", file=rules)
print(f"\trm -rf {target}", file=rules)
test_groups = []
mode = info["mode"]
test_groups.append(f"test_m_{mode}")
for engine in sorted(engines):
test_groups.append(f"test_e_{engine}")
test_groups.append(f"test_m_{mode}_e_{engine}")
for solver in sorted(solvers):
test_groups.append(f"test_s_{solver}")
test_groups.append(f"test_m_{mode}_s_{solver}")
for engine, solver in sorted(engine_solvers):
test_groups.append(f"test_e_{engine}_s_{solver}")
test_groups.append(f"test_m_{mode}_e_{engine}_s_{solver}")
prefix = ""
for part in [*sby_dir.parts, ""]:
print(f".PHONY: {prefix}clean {prefix}test", file=rules)
print(f"{prefix}clean: clean-{target}", file=rules)
print(f"{prefix}test: {target}", file=rules)
for test_group in test_groups:
print(f".PHONY: {prefix}{test_group}", file=rules)
print(f"{prefix}{test_group}: {target}", file=rules)
prefix += f"{part}/"
tasks = [task for task in taskinfo.keys() if task]
if tasks:
print(f".PHONY: {name}", file=rules)
print(f"{name}:", *(f"{name}_{task}" for task in tasks), file=rules)