-
Notifications
You must be signed in to change notification settings - Fork 269
/
presubmit.py
executable file
·440 lines (340 loc) · 13.4 KB
/
presubmit.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
#!/usr/bin/env python3
# Copyright 2020 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Presubmit script for fuzzbench."""
# pylint: disable=wrong-import-position
import os
# Many users need this if they are using a Google Cloud instance for development
# or if their system has a weird setup that makes FuzzBench think it is running
# on Google Cloud. It's unlikely that setting this will mess anything up so set
# it.
# TODO(metzman): Make local the default setting and propagate 'NOT_LOCAL' to all
# production environments so we don't need to worry about this any more.
os.environ['FORCE_LOCAL'] = '1'
import argparse
import logging
from pathlib import Path
import subprocess
import sys
from typing import List, Optional
from common import benchmark_utils
from common import fuzzer_utils
from common import filesystem
from common import logs
from src_analysis import change_utils
from src_analysis import diff_utils
_LICENSE_CHECK_FILENAMES = ['Dockerfile']
_LICENSE_CHECK_EXTENSIONS = [
'.bash',
'.c',
'.cc',
'.cpp',
'.css',
'.h',
'.htm',
'.html',
'.js',
'.proto',
'.py',
'.sh',
]
_LICENSE_CHECK_STRING = 'http://www.apache.org/licenses/LICENSE-2.0'
_SRC_ROOT = Path(__file__).absolute().parent
THIRD_PARTY_DIR_NAME = 'third_party'
_IGNORE_DIRECTORIES = [
os.path.join(_SRC_ROOT, 'database', 'alembic'),
os.path.join(_SRC_ROOT, 'benchmarks'),
]
BASE_PYTEST_COMMAND = ['python3', '-m', 'pytest', '-vv']
NON_DEFAULT_CHECKS = {
'test_changed_integrations',
}
def get_containing_subdir(path: Path, parent_path: Path) -> Optional[str]:
"""Return the subdirectory of |parent_path| that contains |path|.
Return None if |path| is not in |parent_path|."""
parts = path.relative_to(_SRC_ROOT).parts
if parts[0] != parent_path.name:
return None
containing_subdir = _SRC_ROOT / parts[0] / parts[1]
if not containing_subdir.is_dir():
# Can only be a fuzzer or benchmark if it is a directory.
return None
return containing_subdir.name
def get_fuzzer(path: Path) -> Optional[str]:
"""Return the name of the fuzzer |path| is part of, or return None if it is
not part of a fuzzer."""
return get_containing_subdir(path, _SRC_ROOT / 'fuzzers')
def get_benchmark(path: Path) -> Optional[str]:
"""Return the name of the benchmark |path| is part of, or return None if it
is not part of a benchmark."""
return get_containing_subdir(path, _SRC_ROOT / 'benchmarks')
class FuzzerAndBenchmarkValidator:
"""Class that validates the names of fuzzers and benchmarks."""
def __init__(self):
self.invalid_fuzzers = set()
self.invalid_benchmarks = set()
def validate_fuzzer(self, path: Path):
"""Return True if |path| is part of a valid fuzzer. Otherwise return
False and print an error."""
fuzzer = get_fuzzer(path)
if fuzzer is None:
return True
if fuzzer in self.invalid_fuzzers:
# We know this is invalid and have already complained about it.
return False
if fuzzer_utils.validate(fuzzer):
return True
self.invalid_fuzzers.add(fuzzer)
print(fuzzer, 'is not valid.')
return False
def validate_benchmark(self, path: Path):
"""Return True if |path| is part of a valid benchmark. Otherwise return
False and print an error."""
benchmark = get_benchmark(path)
if benchmark is None:
return True
if benchmark in self.invalid_benchmarks:
# We know this is invalid and have already complained about it.
return False
valid = benchmark_utils.validate(benchmark)
if valid:
return True
self.invalid_benchmarks.add(benchmark)
print(benchmark, 'is not valid.')
return False
def validate(self, file_path: Path) -> bool:
"""If |file_path| is in an invalid fuzzer or benchmark then return
False. If the fuzzer or benchmark is not in |self.invalid_dirs|, then
print an error message and it to |self.invalid_dirs|."""
return (self.validate_fuzzer(file_path) and
self.validate_benchmark(file_path))
def is_python(path: Path) -> bool:
"""Returns True if |path| ends in .py."""
return path.suffix == '.py'
MIGRATIONS_PATH = os.path.join(_SRC_ROOT, 'database', 'alembic', 'versions')
def filter_migrations(paths):
"""Filter out migration scripts."""
# TODO(metzman): Filter out all alembic scripts.
return [
path for path in paths if not os.path.dirname(path) == MIGRATIONS_PATH
]
def test_changed_integrations(paths: List[Path]):
"""Runs tests that build changed fuzzers with all benchmarks and changed
benchmarks with measurer and all fuzzers. Not enabled by default since it
requires GCB."""
benchmarks = change_utils.get_changed_benchmarks(
[str(path) for path in paths])
fuzzers = change_utils.get_changed_fuzzers([str(path) for path in paths])
if not benchmarks and not fuzzers:
return True
pytest_command = BASE_PYTEST_COMMAND + [
'-k', 'TestBuildChangedBenchmarksOrFuzzers'
]
env = os.environ.copy()
if benchmarks:
env = os.environ.copy()
env['TEST_BUILD_CHANGED_BENCHMARKS'] = ' '.join(benchmarks)
if fuzzers:
env['TEST_BUILD_CHANGED_FUZZERS'] = ' '.join(fuzzers)
retcode = subprocess.run(pytest_command, check=False, env=env).returncode
return retcode == 0
def lint(_: List[Path]) -> bool:
"""Run python's linter on all python code. Return False if it fails
linting."""
to_check = [
'analysis',
'common',
'database',
'docker',
'experiment',
'fuzzbench',
'fuzzers',
'service',
'src_analysis',
'test_libs',
'.github/workflows/build_and_test_run_fuzzer_benchmarks.py',
'presubmit.py',
]
# Use "--score no" to make linting quieter.
command = ['python3', '-m', 'pylint', '--score', 'no', '-j', '0']
command.extend(to_check)
returncode = subprocess.run(command, check=False).returncode
return returncode == 0
def pytype(paths: List[Path]) -> bool:
"""Run pytype on |path| if it is a python file. Return False if it fails
type checking."""
paths = [path for path in paths if is_python(path)]
base_command = ['python3', '-m', 'pytype']
success = True
# TODO(metzman): Change this to the parallel pytype when the path issue is
# solved.
for path in paths:
command = base_command[:]
command.append(path)
returncode = subprocess.run(command, check=False).returncode
if returncode != 0:
success = False
return success
def yapf(paths: List[Path], validate: bool = True) -> bool:
"""Do yapf on |path| if it is Python file. Only validates format if
|validate| otherwise, formats the file. Returns False if validation
or formatting fails."""
paths = [path for path in paths if is_python(path)]
if not paths:
return True
validate_argument = '-d' if validate else '-i'
command = ['yapf', validate_argument, '-p']
command.extend(paths)
returncode = subprocess.run(command, check=False).returncode
success = returncode == 0
if not success:
print('Code is not formatted correctly, please run \'make format\'')
return success
def is_path_ignored(path: Path) -> bool:
"""Returns True if |path| is a subpath of an ignored directory or is a
third_party directory."""
for ignore_directory in _IGNORE_DIRECTORIES:
if filesystem.is_subpath(ignore_directory, path):
return True
# Third party directories can be anywhere.
path_parts = str(path).split(os.sep)
if any(path_part == THIRD_PARTY_DIR_NAME for path_part in path_parts):
return True
return False
def license_check(paths: List[Path]) -> bool:
"""Validate license header."""
if not paths:
return True
success = True
for path in paths:
filename = os.path.basename(path)
extension = os.path.splitext(path)[1]
if (filename not in _LICENSE_CHECK_FILENAMES and
extension not in _LICENSE_CHECK_EXTENSIONS):
continue
if is_path_ignored(path):
continue
with open(path, encoding='utf-8') as file_handle:
if _LICENSE_CHECK_STRING not in file_handle.read():
print(f'Missing license header in file {str(path)}.')
success = False
return success
def get_all_files() -> List[Path]:
"""Returns a list of absolute paths of files in this repo."""
get_all_files_command = ['git', 'ls-files']
output = subprocess.check_output(
get_all_files_command).decode().splitlines()
return [Path(path).absolute() for path in output if Path(path).is_file()]
def filter_ignored_files(paths: List[Path]) -> List[Path]:
"""Returns a list of absolute paths of files in this repo that can be
checked statically."""
return [path for path in paths if not is_path_ignored(path)]
def pytest(_) -> bool:
"""Run all unittests using pytest."""
returncode = subprocess.run(BASE_PYTEST_COMMAND, check=False).returncode
return returncode == 0
def validate_fuzzers_and_benchmarks(file_paths: List[Path]):
"""Validate fuzzers and benchmarks."""
fuzzer_and_benchmark_validator = FuzzerAndBenchmarkValidator()
path_valid_statuses = [
fuzzer_and_benchmark_validator.validate(path) for path in file_paths
]
return all(path_valid_statuses)
def do_default_checks(file_paths: List[Path], checks) -> bool:
"""Do default presubmit checks and return False if any presubmit check
fails."""
failed_checks = []
for check_name, check in checks:
if check_name in NON_DEFAULT_CHECKS:
continue
if not check(file_paths):
print(f'ERROR: {check_name} failed, see errors above.')
failed_checks.append(check_name)
if failed_checks:
print(f'Failed checks: {" ".join(failed_checks)}')
return False
return True
def bool_to_returncode(success: bool) -> int:
"""Return 0 if |success|. Otherwise return 1."""
if success:
print('Success.')
return 0
print('Failed.')
return 1
def get_args(command_check_mapping):
"""Get arguments passed to program."""
parser = argparse.ArgumentParser(
description='Presubmit script for fuzzbench.')
parser.add_argument(
'command',
choices=dict(command_check_mapping).keys(),
nargs='?',
help='The presubmit check to run. Defaults to most of them.')
parser.add_argument('--all-files',
action='store_true',
help='Run presubmit check(s) on all files',
default=False)
parser.add_argument('-v', '--verbose', action='store_true', default=False)
return parser.parse_args()
def initialize_logs(verbose: bool):
"""Initialize logging."""
if not verbose:
logs.initialize()
else:
logs.initialize(log_level=logging.DEBUG)
def get_relevant_files(all_files: bool) -> List[Path]:
"""Get the files that should be checked."""
if not all_files:
relevant_files = [Path(path) for path in diff_utils.get_changed_files()]
else:
relevant_files = get_all_files()
return filter_ignored_files(relevant_files)
def do_single_check(command: str, relevant_files: List[Path],
command_check_mapping) -> bool:
"""Do a single check requested by a command."""
check = dict(command_check_mapping)[command]
if command == 'format':
success = check(relevant_files, False)
else:
success = check(relevant_files)
if not success:
print(f'ERROR: {check.__name__} failed, see errors above.')
return success
def main() -> int:
"""Check that this branch conforms to the standards of fuzzbench."""
# Use list of tuples so order is preserved.
command_check_mapping = [
('licensecheck', license_check),
('format', yapf),
('lint', lint),
('typecheck', pytype),
('test', pytest),
('validate_fuzzers_and_benchmarks', validate_fuzzers_and_benchmarks),
('test_changed_integrations', test_changed_integrations),
]
args = get_args(command_check_mapping)
os.chdir(_SRC_ROOT)
initialize_logs(args.verbose)
relevant_files = get_relevant_files(args.all_files)
logs.debug('Running presubmit check(s) on: %s',
' '.join(str(path) for path in relevant_files))
if not args.command:
# Do default checks.
success = do_default_checks(relevant_files, command_check_mapping)
return bool_to_returncode(success)
success = do_single_check(args.command, relevant_files,
command_check_mapping)
return bool_to_returncode(success)
if __name__ == '__main__':
sys.exit(main())