forked from ethereum/solidity
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathgas_diff_stats.py
executable file
·185 lines (148 loc) · 5.42 KB
/
gas_diff_stats.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
#!/usr/bin/env python3
"""A script to collect gas statistics and print it.
Useful to summarize gas differences to semantic tests for a PR / branch.
Dependencies: Parsec (https://pypi.org/project/parsec/) and Tabulate
(https://pypi.org/project/tabulate/)
pip install parsec tabulate
Run from root project dir.
python3 scripts/gas_diff_stats.py
Note that the changes to semantic tests have to be committed.
Assumes that there is a remote named ``origin`` pointing to the Solidity github
repository. The changes are compared against ``origin/develop``.
"""
import subprocess
import sys
from pathlib import Path
from enum import Enum
from parsec import generate, ParseError, regex, string, optional
from tabulate import tabulate
class Kind(Enum):
Ir = 1
IrOptimized = 2
Legacy = 3
LegacyOptimized = 4
class Diff(Enum):
Minus = 1
Plus = 2
SEMANTIC_TEST_DIR = Path("test/libsolidity/semanticTests/")
minus = string("-").result(Diff.Minus)
plus = string("+").result(Diff.Plus)
space = string(" ")
comment = string("//")
colon = string(":")
gas_ir = string("gas ir").result(Kind.Ir)
gas_ir_optimized = string("gas irOptimized").result(Kind.IrOptimized)
gas_legacy_optimized = string("gas legacyOptimized").result(Kind.LegacyOptimized)
gas_legacy = string("gas legacy").result(Kind.Legacy)
code_suffix = string("code")
def number() -> int:
"""Parse number."""
return regex(r"([0-9]*)").parsecmap(int)
@generate
def diff_string() -> (Kind, Diff, int):
"""Usage: diff_string.parse(string)
Example string:
-// gas irOptimized: 138070
"""
diff_kind = yield minus | plus
yield comment
yield space
codegen_kind = yield gas_ir_optimized ^ gas_ir ^ gas_legacy_optimized ^ gas_legacy
yield optional(space)
yield optional(code_suffix)
yield colon
yield space
val = yield number()
return (diff_kind, codegen_kind, val)
def collect_statistics(lines) -> (int, int, int, int, int, int):
"""Returns
(old_ir_optimized, old_legacy_optimized, old_legacy, new_ir_optimized,
new_legacy_optimized, new_legacy)
All the values in the same file (in the diff) are summed up.
"""
if not lines:
raise RuntimeError("Empty list")
out = [
parsed
for line in lines
if line.startswith('+// gas ') or line.startswith('-// gas ')
if (parsed := diff_string.parse(line)) is not None
]
diff_kinds = [Diff.Minus, Diff.Plus]
codegen_kinds = [Kind.IrOptimized, Kind.LegacyOptimized, Kind.Legacy]
return tuple(
sum(
val
for (diff_kind, codegen_kind, val) in out
if diff_kind == _diff_kind and codegen_kind == _codegen_kind
)
for _diff_kind in diff_kinds
for _codegen_kind in codegen_kinds
)
def semantictest_statistics():
"""Prints the tabulated statistics that can be pasted in github."""
def parse_git_diff(fname):
diff_output = subprocess.check_output(
["git", "diff", "--unified=0", "origin/develop", "HEAD", fname],
universal_newlines=True
).splitlines()
if len(diff_output) == 0:
return None
return collect_statistics(diff_output)
def percent(old, new):
return (int(new) - int(old)) / int(old) * 100 if int(old) != 0 else None
def percent_or_zero(old, new):
result = percent(old, new)
return result if result is not None else 0
def format_percent(percentage):
if percentage is None:
return ''
prefix = (
# Distinguish actual zero from very small differences
'+' if round(percentage) == 0 and percentage > 0 else
'-' if round(percentage) == 0 and percentage < 0 else
''
)
return f'{prefix}{round(percentage)}%'
def stat(old, new):
return format_percent(percent(old, new))
table = []
if not SEMANTIC_TEST_DIR.is_dir():
sys.exit(f"Semantic tests not found. '{SEMANTIC_TEST_DIR.absolute()}' is missing or not a directory.")
for path in SEMANTIC_TEST_DIR.rglob("*.sol"):
fname = path.as_posix()
parsed = parse_git_diff(fname)
if parsed is None:
continue
assert len(parsed) == 6
ir_optimized = stat(parsed[0], parsed[3])
legacy_optimized = stat(parsed[1], parsed[4])
legacy = stat(parsed[2], parsed[5])
fname = f"`{fname.split('/', 3)[-1]}`"
average = ((
percent_or_zero(parsed[0], parsed[3]) +
percent_or_zero(parsed[1], parsed[4]) +
percent_or_zero(parsed[2], parsed[5])
) / 3)
table += [[average, fname, ir_optimized, legacy_optimized, legacy]]
sorted_table = [row[1:] for row in sorted(table, reverse=True)]
if table:
print("<details><summary>Click for a table of gas differences</summary>\n")
table_header = ["File name", "IR optimized", "Legacy optimized", "Legacy"]
print(tabulate(sorted_table, headers=table_header, tablefmt="github"))
print("</details>")
else:
print("No differences found.")
def main():
try:
semantictest_statistics()
except subprocess.CalledProcessError as exception:
sys.exit(f"Error in the git diff:\n{exception.output}")
except ParseError as exception:
sys.exit(
f"ParseError: {exception}\n\n"
f"{exception.text}\n"
f"{' ' * exception.index}^\n"
)
if __name__ == "__main__":
main()