forked from python/mypy
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathperf_compare.py
More file actions
146 lines (118 loc) · 4.07 KB
/
perf_compare.py
File metadata and controls
146 lines (118 loc) · 4.07 KB
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
"""Compare performance of mypyc-compiled mypy between one or more commits/branches.
Simple usage:
python misc/perf_compare.py my-branch master ...
What this does:
* Create a temp clone of the mypy repo for each target commit to measure
* Checkout a target commit in each of the clones
* Compile mypyc in each of the clones *in parallel*
* Create another temp clone of the mypy repo as the code to check
* Self check with each of the compiled mypys N times
* Report the average runtimes and relative performance
* Remove the temp clones
"""
from __future__ import annotations
import argparse
import glob
import os
import random
import shutil
import statistics
import subprocess
import sys
import threading
import time
def heading(s: str) -> None:
print()
print(f"=== {s} ===")
print()
def build_mypy(target_dir: str) -> None:
env = os.environ.copy()
env["CC"] = "clang"
env["MYPYC_OPT_LEVEL"] = "2"
cmd = [sys.executable, "setup.py", "--use-mypyc", "build_ext", "--inplace"]
subprocess.run(cmd, env=env, check=True, cwd=target_dir)
def clone(target_dir: str, commit: str | None) -> None:
heading(f"Cloning mypy to {target_dir}")
repo_dir = os.getcwd()
if os.path.isdir(target_dir):
print(f"{target_dir} exists: deleting")
shutil.rmtree(target_dir)
subprocess.run(["git", "clone", repo_dir, target_dir], check=True)
if commit:
subprocess.run(["git", "checkout", commit], check=True, cwd=target_dir)
def run_benchmark(compiled_dir: str, check_dir: str) -> float:
cache_dir = os.path.join(compiled_dir, ".mypy_cache")
if os.path.isdir(cache_dir):
shutil.rmtree(cache_dir)
env = os.environ.copy()
env["PYTHONPATH"] = os.path.abspath(compiled_dir)
abschk = os.path.abspath(check_dir)
cmd = [
sys.executable,
"-m",
"mypy",
"--config-file",
os.path.join(abschk, "mypy_self_check.ini"),
]
cmd += glob.glob(os.path.join(abschk, "mypy/*.py"))
cmd += glob.glob(os.path.join(abschk, "mypy/*/*.py"))
t0 = time.time()
# Ignore errors, since some commits being measured may generate additional errors.
subprocess.run(cmd, cwd=compiled_dir, env=env)
return time.time() - t0
def main() -> None:
parser = argparse.ArgumentParser()
parser.add_argument("commit", nargs="+")
args = parser.parse_args()
commits = args.commit
num_runs = 16
if not (os.path.isdir(".git") and os.path.isdir("mypyc")):
sys.exit("error: Run this the mypy repo root")
build_threads = []
target_dirs = []
for i, commit in enumerate(commits):
target_dir = f"mypy.{i}.tmpdir"
target_dirs.append(target_dir)
clone(target_dir, commit)
t = threading.Thread(target=lambda: build_mypy(target_dir))
t.start()
build_threads.append(t)
self_check_dir = "mypy.self.tmpdir"
clone(self_check_dir, commits[0])
heading("Compiling mypy")
print("(This will take a while...)")
for t in build_threads:
t.join()
print(f"Finished compiling mypy ({len(commits)} builds)")
heading("Performing measurements")
results: dict[str, list[float]] = {}
for n in range(num_runs):
if n == 0:
print("Warmup...")
else:
print(f"Run {n}/{num_runs - 1}...")
items = list(enumerate(commits))
random.shuffle(items)
for i, commit in items:
tt = run_benchmark(target_dirs[i], self_check_dir)
# Don't record the first warm-up run
if n > 0:
print(f"{commit}: t={tt:.3f}s")
results.setdefault(commit, []).append(tt)
print()
heading("Results")
first = -1.0
for commit in commits:
tt = statistics.mean(results[commit])
if first < 0:
delta = "0.0%"
first = tt
else:
d = (tt / first) - 1
delta = f"{d:+.1%}"
print(f"{commit:<25} {tt:.3f}s ({delta})")
shutil.rmtree(self_check_dir)
for target_dir in target_dirs:
shutil.rmtree(target_dir)
if __name__ == "__main__":
main()