Book a Demo!
CoCalc Logo Icon
StoreFeaturesDocsShareSupportNewsAboutPoliciesSign UpSign In
torvalds
GitHub Repository: torvalds/linux
Path: blob/master/tools/testing/kunit/kunit.py
26285 views
1
#!/usr/bin/env python3
2
# SPDX-License-Identifier: GPL-2.0
3
#
4
# A thin wrapper on top of the KUnit Kernel
5
#
6
# Copyright (C) 2019, Google LLC.
7
# Author: Felix Guo <[email protected]>
8
# Author: Brendan Higgins <[email protected]>
9
10
import argparse
11
import os
12
import re
13
import shlex
14
import sys
15
import time
16
17
assert sys.version_info >= (3, 7), "Python version is too old"
18
19
from dataclasses import dataclass
20
from enum import Enum, auto
21
from typing import Iterable, List, Optional, Sequence, Tuple
22
23
import kunit_json
24
import kunit_kernel
25
import kunit_parser
26
from kunit_printer import stdout, null_printer
27
28
class KunitStatus(Enum):
29
SUCCESS = auto()
30
CONFIG_FAILURE = auto()
31
BUILD_FAILURE = auto()
32
TEST_FAILURE = auto()
33
34
@dataclass
35
class KunitResult:
36
status: KunitStatus
37
elapsed_time: float
38
39
@dataclass
40
class KunitConfigRequest:
41
build_dir: str
42
make_options: Optional[List[str]]
43
44
@dataclass
45
class KunitBuildRequest(KunitConfigRequest):
46
jobs: int
47
48
@dataclass
49
class KunitParseRequest:
50
raw_output: Optional[str]
51
json: Optional[str]
52
summary: bool
53
failed: bool
54
55
@dataclass
56
class KunitExecRequest(KunitParseRequest):
57
build_dir: str
58
timeout: int
59
filter_glob: str
60
filter: str
61
filter_action: Optional[str]
62
kernel_args: Optional[List[str]]
63
run_isolated: Optional[str]
64
list_tests: bool
65
list_tests_attr: bool
66
67
@dataclass
68
class KunitRequest(KunitExecRequest, KunitBuildRequest):
69
pass
70
71
72
def get_kernel_root_path() -> str:
73
path = sys.argv[0] if not __file__ else __file__
74
parts = os.path.realpath(path).split('tools/testing/kunit')
75
if len(parts) != 2:
76
sys.exit(1)
77
return parts[0]
78
79
def config_tests(linux: kunit_kernel.LinuxSourceTree,
80
request: KunitConfigRequest) -> KunitResult:
81
stdout.print_with_timestamp('Configuring KUnit Kernel ...')
82
83
config_start = time.time()
84
success = linux.build_reconfig(request.build_dir, request.make_options)
85
config_end = time.time()
86
status = KunitStatus.SUCCESS if success else KunitStatus.CONFIG_FAILURE
87
return KunitResult(status, config_end - config_start)
88
89
def build_tests(linux: kunit_kernel.LinuxSourceTree,
90
request: KunitBuildRequest) -> KunitResult:
91
stdout.print_with_timestamp('Building KUnit Kernel ...')
92
93
build_start = time.time()
94
success = linux.build_kernel(request.jobs,
95
request.build_dir,
96
request.make_options)
97
build_end = time.time()
98
status = KunitStatus.SUCCESS if success else KunitStatus.BUILD_FAILURE
99
return KunitResult(status, build_end - build_start)
100
101
def config_and_build_tests(linux: kunit_kernel.LinuxSourceTree,
102
request: KunitBuildRequest) -> KunitResult:
103
config_result = config_tests(linux, request)
104
if config_result.status != KunitStatus.SUCCESS:
105
return config_result
106
107
return build_tests(linux, request)
108
109
def _list_tests(linux: kunit_kernel.LinuxSourceTree, request: KunitExecRequest) -> List[str]:
110
args = ['kunit.action=list']
111
112
if request.kernel_args:
113
args.extend(request.kernel_args)
114
115
output = linux.run_kernel(args=args,
116
timeout=request.timeout,
117
filter_glob=request.filter_glob,
118
filter=request.filter,
119
filter_action=request.filter_action,
120
build_dir=request.build_dir)
121
lines = kunit_parser.extract_tap_lines(output)
122
# Hack! Drop the dummy TAP version header that the executor prints out.
123
lines.pop()
124
125
# Filter out any extraneous non-test output that might have gotten mixed in.
126
return [l for l in output if re.match(r'^[^\s.]+\.[^\s.]+$', l)]
127
128
def _list_tests_attr(linux: kunit_kernel.LinuxSourceTree, request: KunitExecRequest) -> Iterable[str]:
129
args = ['kunit.action=list_attr']
130
131
if request.kernel_args:
132
args.extend(request.kernel_args)
133
134
output = linux.run_kernel(args=args,
135
timeout=request.timeout,
136
filter_glob=request.filter_glob,
137
filter=request.filter,
138
filter_action=request.filter_action,
139
build_dir=request.build_dir)
140
lines = kunit_parser.extract_tap_lines(output)
141
# Hack! Drop the dummy TAP version header that the executor prints out.
142
lines.pop()
143
144
# Filter out any extraneous non-test output that might have gotten mixed in.
145
return lines
146
147
def _suites_from_test_list(tests: List[str]) -> List[str]:
148
"""Extracts all the suites from an ordered list of tests."""
149
suites = [] # type: List[str]
150
for t in tests:
151
parts = t.split('.', maxsplit=2)
152
if len(parts) != 2:
153
raise ValueError(f'internal KUnit error, test name should be of the form "<suite>.<test>", got "{t}"')
154
suite, _ = parts
155
if not suites or suites[-1] != suite:
156
suites.append(suite)
157
return suites
158
159
def exec_tests(linux: kunit_kernel.LinuxSourceTree, request: KunitExecRequest) -> KunitResult:
160
filter_globs = [request.filter_glob]
161
if request.list_tests:
162
output = _list_tests(linux, request)
163
for line in output:
164
print(line.rstrip())
165
return KunitResult(status=KunitStatus.SUCCESS, elapsed_time=0.0)
166
if request.list_tests_attr:
167
attr_output = _list_tests_attr(linux, request)
168
for line in attr_output:
169
print(line.rstrip())
170
return KunitResult(status=KunitStatus.SUCCESS, elapsed_time=0.0)
171
if request.run_isolated:
172
tests = _list_tests(linux, request)
173
if request.run_isolated == 'test':
174
filter_globs = tests
175
elif request.run_isolated == 'suite':
176
filter_globs = _suites_from_test_list(tests)
177
# Apply the test-part of the user's glob, if present.
178
if '.' in request.filter_glob:
179
test_glob = request.filter_glob.split('.', maxsplit=2)[1]
180
filter_globs = [g + '.'+ test_glob for g in filter_globs]
181
182
metadata = kunit_json.Metadata(arch=linux.arch(), build_dir=request.build_dir, def_config='kunit_defconfig')
183
184
test_counts = kunit_parser.TestCounts()
185
exec_time = 0.0
186
for i, filter_glob in enumerate(filter_globs):
187
stdout.print_with_timestamp('Starting KUnit Kernel ({}/{})...'.format(i+1, len(filter_globs)))
188
189
test_start = time.time()
190
run_result = linux.run_kernel(
191
args=request.kernel_args,
192
timeout=request.timeout,
193
filter_glob=filter_glob,
194
filter=request.filter,
195
filter_action=request.filter_action,
196
build_dir=request.build_dir)
197
198
_, test_result = parse_tests(request, metadata, run_result)
199
# run_kernel() doesn't block on the kernel exiting.
200
# That only happens after we get the last line of output from `run_result`.
201
# So exec_time here actually contains parsing + execution time, which is fine.
202
test_end = time.time()
203
exec_time += test_end - test_start
204
205
test_counts.add_subtest_counts(test_result.counts)
206
207
if len(filter_globs) == 1 and test_counts.crashed > 0:
208
bd = request.build_dir
209
print('The kernel seems to have crashed; you can decode the stack traces with:')
210
print('$ scripts/decode_stacktrace.sh {}/vmlinux {} < {} | tee {}/decoded.log | {} parse'.format(
211
bd, bd, kunit_kernel.get_outfile_path(bd), bd, sys.argv[0]))
212
213
kunit_status = _map_to_overall_status(test_counts.get_status())
214
return KunitResult(status=kunit_status, elapsed_time=exec_time)
215
216
def _map_to_overall_status(test_status: kunit_parser.TestStatus) -> KunitStatus:
217
if test_status in (kunit_parser.TestStatus.SUCCESS, kunit_parser.TestStatus.SKIPPED):
218
return KunitStatus.SUCCESS
219
return KunitStatus.TEST_FAILURE
220
221
def parse_tests(request: KunitParseRequest, metadata: kunit_json.Metadata, input_data: Iterable[str]) -> Tuple[KunitResult, kunit_parser.Test]:
222
parse_start = time.time()
223
224
if request.raw_output:
225
# Treat unparsed results as one passing test.
226
fake_test = kunit_parser.Test()
227
fake_test.status = kunit_parser.TestStatus.SUCCESS
228
fake_test.counts.passed = 1
229
230
output: Iterable[str] = input_data
231
if request.raw_output == 'all':
232
pass
233
elif request.raw_output == 'kunit':
234
output = kunit_parser.extract_tap_lines(output)
235
for line in output:
236
print(line.rstrip())
237
parse_time = time.time() - parse_start
238
return KunitResult(KunitStatus.SUCCESS, parse_time), fake_test
239
240
default_printer = stdout
241
if request.summary or request.failed:
242
default_printer = null_printer
243
244
# Actually parse the test results.
245
test = kunit_parser.parse_run_tests(input_data, default_printer)
246
parse_time = time.time() - parse_start
247
248
if request.failed:
249
kunit_parser.print_test(test, request.failed, stdout)
250
kunit_parser.print_summary_line(test, stdout)
251
252
if request.json:
253
json_str = kunit_json.get_json_result(
254
test=test,
255
metadata=metadata)
256
if request.json == 'stdout':
257
print(json_str)
258
else:
259
with open(request.json, 'w') as f:
260
f.write(json_str)
261
stdout.print_with_timestamp("Test results stored in %s" %
262
os.path.abspath(request.json))
263
264
if test.status != kunit_parser.TestStatus.SUCCESS:
265
return KunitResult(KunitStatus.TEST_FAILURE, parse_time), test
266
267
return KunitResult(KunitStatus.SUCCESS, parse_time), test
268
269
def run_tests(linux: kunit_kernel.LinuxSourceTree,
270
request: KunitRequest) -> KunitResult:
271
run_start = time.time()
272
273
config_result = config_tests(linux, request)
274
if config_result.status != KunitStatus.SUCCESS:
275
return config_result
276
277
build_result = build_tests(linux, request)
278
if build_result.status != KunitStatus.SUCCESS:
279
return build_result
280
281
exec_result = exec_tests(linux, request)
282
283
run_end = time.time()
284
285
stdout.print_with_timestamp((
286
'Elapsed time: %.3fs total, %.3fs configuring, %.3fs ' +
287
'building, %.3fs running\n') % (
288
run_end - run_start,
289
config_result.elapsed_time,
290
build_result.elapsed_time,
291
exec_result.elapsed_time))
292
return exec_result
293
294
# Problem:
295
# $ kunit.py run --json
296
# works as one would expect and prints the parsed test results as JSON.
297
# $ kunit.py run --json suite_name
298
# would *not* pass suite_name as the filter_glob and print as json.
299
# argparse will consider it to be another way of writing
300
# $ kunit.py run --json=suite_name
301
# i.e. it would run all tests, and dump the json to a `suite_name` file.
302
# So we hackily automatically rewrite --json => --json=stdout
303
pseudo_bool_flag_defaults = {
304
'--json': 'stdout',
305
'--raw_output': 'kunit',
306
}
307
def massage_argv(argv: Sequence[str]) -> Sequence[str]:
308
def massage_arg(arg: str) -> str:
309
if arg not in pseudo_bool_flag_defaults:
310
return arg
311
return f'{arg}={pseudo_bool_flag_defaults[arg]}'
312
return list(map(massage_arg, argv))
313
314
def get_default_jobs() -> int:
315
if sys.version_info >= (3, 13):
316
if (ncpu := os.process_cpu_count()) is not None:
317
return ncpu
318
raise RuntimeError("os.process_cpu_count() returned None")
319
# See https://github.com/python/cpython/blob/b61fece/Lib/os.py#L1175-L1186.
320
if sys.platform != "darwin":
321
return len(os.sched_getaffinity(0))
322
if (ncpu := os.cpu_count()) is not None:
323
return ncpu
324
raise RuntimeError("os.cpu_count() returned None")
325
326
def add_common_opts(parser: argparse.ArgumentParser) -> None:
327
parser.add_argument('--build_dir',
328
help='As in the make command, it specifies the build '
329
'directory.',
330
type=str, default='.kunit', metavar='DIR')
331
parser.add_argument('--make_options',
332
help='X=Y make option, can be repeated.',
333
action='append', metavar='X=Y')
334
parser.add_argument('--alltests',
335
help='Run all KUnit tests via tools/testing/kunit/configs/all_tests.config',
336
action='store_true')
337
parser.add_argument('--kunitconfig',
338
help='Path to Kconfig fragment that enables KUnit tests.'
339
' If given a directory, (e.g. lib/kunit), "/.kunitconfig" '
340
'will get automatically appended. If repeated, the files '
341
'blindly concatenated, which might not work in all cases.',
342
action='append', metavar='PATHS')
343
parser.add_argument('--kconfig_add',
344
help='Additional Kconfig options to append to the '
345
'.kunitconfig, e.g. CONFIG_KASAN=y. Can be repeated.',
346
action='append', metavar='CONFIG_X=Y')
347
348
parser.add_argument('--arch',
349
help=('Specifies the architecture to run tests under. '
350
'The architecture specified here must match the '
351
'string passed to the ARCH make param, '
352
'e.g. i386, x86_64, arm, um, etc. Non-UML '
353
'architectures run on QEMU.'),
354
type=str, default='um', metavar='ARCH')
355
356
parser.add_argument('--cross_compile',
357
help=('Sets make\'s CROSS_COMPILE variable; it should '
358
'be set to a toolchain path prefix (the prefix '
359
'of gcc and other tools in your toolchain, for '
360
'example `sparc64-linux-gnu-` if you have the '
361
'sparc toolchain installed on your system, or '
362
'`$HOME/toolchains/microblaze/gcc-9.2.0-nolibc/microblaze-linux/bin/microblaze-linux-` '
363
'if you have downloaded the microblaze toolchain '
364
'from the 0-day website to a directory in your '
365
'home directory called `toolchains`).'),
366
metavar='PREFIX')
367
368
parser.add_argument('--qemu_config',
369
help=('Takes a path to a path to a file containing '
370
'a QemuArchParams object.'),
371
type=str, metavar='FILE')
372
373
parser.add_argument('--qemu_args',
374
help='Additional QEMU arguments, e.g. "-smp 8"',
375
action='append', metavar='')
376
377
def add_build_opts(parser: argparse.ArgumentParser) -> None:
378
parser.add_argument('--jobs',
379
help='As in the make command, "Specifies the number of '
380
'jobs (commands) to run simultaneously."',
381
type=int, default=get_default_jobs(), metavar='N')
382
383
def add_exec_opts(parser: argparse.ArgumentParser) -> None:
384
parser.add_argument('--timeout',
385
help='maximum number of seconds to allow for all tests '
386
'to run. This does not include time taken to build the '
387
'tests.',
388
type=int,
389
default=300,
390
metavar='SECONDS')
391
parser.add_argument('filter_glob',
392
help='Filter which KUnit test suites/tests run at '
393
'boot-time, e.g. list* or list*.*del_test',
394
type=str,
395
nargs='?',
396
default='',
397
metavar='filter_glob')
398
parser.add_argument('--filter',
399
help='Filter KUnit tests with attributes, '
400
'e.g. module=example or speed>slow',
401
type=str,
402
default='')
403
parser.add_argument('--filter_action',
404
help='If set to skip, filtered tests will be skipped, '
405
'e.g. --filter_action=skip. Otherwise they will not run.',
406
type=str,
407
choices=['skip'])
408
parser.add_argument('--kernel_args',
409
help='Kernel command-line parameters. Maybe be repeated',
410
action='append', metavar='')
411
parser.add_argument('--run_isolated', help='If set, boot the kernel for each '
412
'individual suite/test. This is can be useful for debugging '
413
'a non-hermetic test, one that might pass/fail based on '
414
'what ran before it.',
415
type=str,
416
choices=['suite', 'test'])
417
parser.add_argument('--list_tests', help='If set, list all tests that will be '
418
'run.',
419
action='store_true')
420
parser.add_argument('--list_tests_attr', help='If set, list all tests and test '
421
'attributes.',
422
action='store_true')
423
424
def add_parse_opts(parser: argparse.ArgumentParser) -> None:
425
parser.add_argument('--raw_output', help='If set don\'t parse output from kernel. '
426
'By default, filters to just KUnit output. Use '
427
'--raw_output=all to show everything',
428
type=str, nargs='?', const='all', default=None, choices=['all', 'kunit'])
429
parser.add_argument('--json',
430
nargs='?',
431
help='Prints parsed test results as JSON to stdout or a file if '
432
'a filename is specified. Does nothing if --raw_output is set.',
433
type=str, const='stdout', default=None, metavar='FILE')
434
parser.add_argument('--summary',
435
help='Prints only the summary line for parsed test results.'
436
'Does nothing if --raw_output is set.',
437
action='store_true')
438
parser.add_argument('--failed',
439
help='Prints only the failed parsed test results and summary line.'
440
'Does nothing if --raw_output is set.',
441
action='store_true')
442
443
444
def tree_from_args(cli_args: argparse.Namespace) -> kunit_kernel.LinuxSourceTree:
445
"""Returns a LinuxSourceTree based on the user's arguments."""
446
# Allow users to specify multiple arguments in one string, e.g. '-smp 8'
447
qemu_args: List[str] = []
448
if cli_args.qemu_args:
449
for arg in cli_args.qemu_args:
450
qemu_args.extend(shlex.split(arg))
451
452
kunitconfigs = cli_args.kunitconfig if cli_args.kunitconfig else []
453
if cli_args.alltests:
454
# Prepend so user-specified options take prio if we ever allow
455
# --kunitconfig options to have differing options.
456
kunitconfigs = [kunit_kernel.ALL_TESTS_CONFIG_PATH] + kunitconfigs
457
458
return kunit_kernel.LinuxSourceTree(cli_args.build_dir,
459
kunitconfig_paths=kunitconfigs,
460
kconfig_add=cli_args.kconfig_add,
461
arch=cli_args.arch,
462
cross_compile=cli_args.cross_compile,
463
qemu_config_path=cli_args.qemu_config,
464
extra_qemu_args=qemu_args)
465
466
467
def run_handler(cli_args: argparse.Namespace) -> None:
468
if not os.path.exists(cli_args.build_dir):
469
os.mkdir(cli_args.build_dir)
470
471
linux = tree_from_args(cli_args)
472
request = KunitRequest(build_dir=cli_args.build_dir,
473
make_options=cli_args.make_options,
474
jobs=cli_args.jobs,
475
raw_output=cli_args.raw_output,
476
json=cli_args.json,
477
summary=cli_args.summary,
478
failed=cli_args.failed,
479
timeout=cli_args.timeout,
480
filter_glob=cli_args.filter_glob,
481
filter=cli_args.filter,
482
filter_action=cli_args.filter_action,
483
kernel_args=cli_args.kernel_args,
484
run_isolated=cli_args.run_isolated,
485
list_tests=cli_args.list_tests,
486
list_tests_attr=cli_args.list_tests_attr)
487
result = run_tests(linux, request)
488
if result.status != KunitStatus.SUCCESS:
489
sys.exit(1)
490
491
492
def config_handler(cli_args: argparse.Namespace) -> None:
493
if cli_args.build_dir and (
494
not os.path.exists(cli_args.build_dir)):
495
os.mkdir(cli_args.build_dir)
496
497
linux = tree_from_args(cli_args)
498
request = KunitConfigRequest(build_dir=cli_args.build_dir,
499
make_options=cli_args.make_options)
500
result = config_tests(linux, request)
501
stdout.print_with_timestamp((
502
'Elapsed time: %.3fs\n') % (
503
result.elapsed_time))
504
if result.status != KunitStatus.SUCCESS:
505
sys.exit(1)
506
507
508
def build_handler(cli_args: argparse.Namespace) -> None:
509
linux = tree_from_args(cli_args)
510
request = KunitBuildRequest(build_dir=cli_args.build_dir,
511
make_options=cli_args.make_options,
512
jobs=cli_args.jobs)
513
result = config_and_build_tests(linux, request)
514
stdout.print_with_timestamp((
515
'Elapsed time: %.3fs\n') % (
516
result.elapsed_time))
517
if result.status != KunitStatus.SUCCESS:
518
sys.exit(1)
519
520
521
def exec_handler(cli_args: argparse.Namespace) -> None:
522
linux = tree_from_args(cli_args)
523
exec_request = KunitExecRequest(raw_output=cli_args.raw_output,
524
build_dir=cli_args.build_dir,
525
json=cli_args.json,
526
summary=cli_args.summary,
527
failed=cli_args.failed,
528
timeout=cli_args.timeout,
529
filter_glob=cli_args.filter_glob,
530
filter=cli_args.filter,
531
filter_action=cli_args.filter_action,
532
kernel_args=cli_args.kernel_args,
533
run_isolated=cli_args.run_isolated,
534
list_tests=cli_args.list_tests,
535
list_tests_attr=cli_args.list_tests_attr)
536
result = exec_tests(linux, exec_request)
537
stdout.print_with_timestamp((
538
'Elapsed time: %.3fs\n') % (result.elapsed_time))
539
if result.status != KunitStatus.SUCCESS:
540
sys.exit(1)
541
542
543
def parse_handler(cli_args: argparse.Namespace) -> None:
544
if cli_args.file is None:
545
sys.stdin.reconfigure(errors='backslashreplace') # type: ignore
546
kunit_output = sys.stdin # type: Iterable[str]
547
else:
548
with open(cli_args.file, 'r', errors='backslashreplace') as f:
549
kunit_output = f.read().splitlines()
550
# We know nothing about how the result was created!
551
metadata = kunit_json.Metadata()
552
request = KunitParseRequest(raw_output=cli_args.raw_output,
553
json=cli_args.json, summary=cli_args.summary,
554
failed=cli_args.failed)
555
result, _ = parse_tests(request, metadata, kunit_output)
556
if result.status != KunitStatus.SUCCESS:
557
sys.exit(1)
558
559
560
subcommand_handlers_map = {
561
'run': run_handler,
562
'config': config_handler,
563
'build': build_handler,
564
'exec': exec_handler,
565
'parse': parse_handler
566
}
567
568
569
def main(argv: Sequence[str]) -> None:
570
parser = argparse.ArgumentParser(
571
description='Helps writing and running KUnit tests.')
572
subparser = parser.add_subparsers(dest='subcommand')
573
574
# The 'run' command will config, build, exec, and parse in one go.
575
run_parser = subparser.add_parser('run', help='Runs KUnit tests.')
576
add_common_opts(run_parser)
577
add_build_opts(run_parser)
578
add_exec_opts(run_parser)
579
add_parse_opts(run_parser)
580
581
config_parser = subparser.add_parser('config',
582
help='Ensures that .config contains all of '
583
'the options in .kunitconfig')
584
add_common_opts(config_parser)
585
586
build_parser = subparser.add_parser('build', help='Builds a kernel with KUnit tests')
587
add_common_opts(build_parser)
588
add_build_opts(build_parser)
589
590
exec_parser = subparser.add_parser('exec', help='Run a kernel with KUnit tests')
591
add_common_opts(exec_parser)
592
add_exec_opts(exec_parser)
593
add_parse_opts(exec_parser)
594
595
# The 'parse' option is special, as it doesn't need the kernel source
596
# (therefore there is no need for a build_dir, hence no add_common_opts)
597
# and the '--file' argument is not relevant to 'run', so isn't in
598
# add_parse_opts()
599
parse_parser = subparser.add_parser('parse',
600
help='Parses KUnit results from a file, '
601
'and parses formatted results.')
602
add_parse_opts(parse_parser)
603
parse_parser.add_argument('file',
604
help='Specifies the file to read results from.',
605
type=str, nargs='?', metavar='input_file')
606
607
cli_args = parser.parse_args(massage_argv(argv))
608
609
if get_kernel_root_path():
610
os.chdir(get_kernel_root_path())
611
612
subcomand_handler = subcommand_handlers_map.get(cli_args.subcommand, None)
613
614
if subcomand_handler is None:
615
parser.print_help()
616
return
617
618
subcomand_handler(cli_args)
619
620
621
if __name__ == '__main__':
622
main(sys.argv[1:])
623
624