twister 51 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798991001011021031041051061071081091101111121131141151161171181191201211221231241251261271281291301311321331341351361371381391401411421431441451461471481491501511521531541551561571581591601611621631641651661671681691701711721731741751761771781791801811821831841851861871881891901911921931941951961971981992002012022032042052062072082092102112122132142152162172182192202212222232242252262272282292302312322332342352362372382392402412422432442452462472482492502512522532542552562572582592602612622632642652662672682692702712722732742752762772782792802812822832842852862872882892902912922932942952962972982993003013023033043053063073083093103113123133143153163173183193203213223233243253263273283293303313323333343353363373383393403413423433443453463473483493503513523533543553563573583593603613623633643653663673683693703713723733743753763773783793803813823833843853863873883893903913923933943953963973983994004014024034044054064074084094104114124134144154164174184194204214224234244254264274284294304314324334344354364374384394404414424434444454464474484494504514524534544554564574584594604614624634644654664674684694704714724734744754764774784794804814824834844854864874884894904914924934944954964974984995005015025035045055065075085095105115125135145155165175185195205215225235245255265275285295305315325335345355365375385395405415425435445455465475485495505515525535545555565575585595605615625635645655665675685695705715725735745755765775785795805815825835845855865875885895905915925935945955965975985996006016026036046056066076086096106116126136146156166176186196206216226236246256266276286296306316326336346356366376386396406416426436446456466476486496506516526536546556566576586596606616626636646656666676686696706716726736746756766776786796806816826836846856866876886896906916926936946956966976986997007017027037047057067077087097107117127137147157167177187197207217227237247257267277287297307317327337347357367377387397407417427437447457467477487497507517527537547557567577587597607617627637647657667677687697707717727737747757767777787797807817827837847857867877887897907917927937947957967977987998008018028038048058068078088098108118128138148158168178188198208218228238248258268278288298308318328338348358368378388398408418428438448458468478488498508518528538548558568578588598608618628638648658668678688698708718728738748758768778788798808818828838848858868878888898908918928938948958968978988999009019029039049059069079089099109119129139149159169179189199209219229239249259269279289299309319329339349359369379389399409419429439449459469479489499509519529539549559569579589599609619629639649659669679689699709719729739749759769779789799809819829839849859869879889899909919929939949959969979989991000100110021003100410051006100710081009101010111012101310141015101610171018101910201021102210231024102510261027102810291030103110321033103410351036103710381039104010411042104310441045104610471048104910501051105210531054105510561057105810591060106110621063106410651066106710681069107010711072107310741075107610771078107910801081108210831084108510861087108810891090109110921093109410951096109710981099110011011102110311041105110611071108110911101111111211131114111511161117111811191120112111221123112411251126112711281129113011311132113311341135113611371138113911401141114211431144114511461147114811491150115111521153115411551156115711581159116011611162116311641165116611671168116911701171117211731174117511761177117811791180118111821183118411851186118711881189119011911192119311941195119611971198119912001201120212031204120512061207120812091210121112121213121412151216121712181219122012211222122312241225122612271228122912301231123212331234123512361237123812391240124112421243124412451246124712481249125012511252125312541255125612571258125912601261126212631264126512661267126812691270127112721273127412751276127712781279128012811282128312841285128612871288128912901291129212931294129512961297129812991300130113021303130413051306130713081309131013111312131313141315131613171318
  1. #!/usr/bin/env python3
  2. # vim: set syntax=python ts=4 :
  3. # Copyright (c) 2020 Intel Corporation
  4. # SPDX-License-Identifier: Apache-2.0
  5. """Zephyr Test Runner (twister)
  6. Also check the "User and Developer Guides" at https://docs.zephyrproject.org/
  7. This script scans for the set of unit test applications in the git
  8. repository and attempts to execute them. By default, it tries to
  9. build each test case on one platform per architecture, using a precedence
  10. list defined in an architecture configuration file, and if possible
  11. run the tests in any available emulators or simulators on the system.
  12. Test cases are detected by the presence of a 'testcase.yaml' or a sample.yaml
  13. files in the application's project directory. This file may contain one or more
  14. blocks, each identifying a test scenario. The title of the block is a name for
  15. the test case, which only needs to be unique for the test cases specified in
  16. that testcase meta-data. The full canonical name for each test case is <path to
  17. test case>/<block>.
  18. Each test block in the testcase meta data can define the following key/value
  19. pairs:
  20. tags: <list of tags> (required)
  21. A set of string tags for the testcase. Usually pertains to
  22. functional domains but can be anything. Command line invocations
  23. of this script can filter the set of tests to run based on tag.
  24. skip: <True|False> (default False)
  25. skip testcase unconditionally. This can be used for broken tests.
  26. slow: <True|False> (default False)
  27. Don't build or run this test case unless --enable-slow was passed
  28. in on the command line. Intended for time-consuming test cases
  29. that are only run under certain circumstances, like daily
  30. builds.
  31. extra_args: <list of extra arguments>
  32. Extra cache entries to pass to CMake when building or running the
  33. test case.
  34. extra_configs: <list of extra configurations>
  35. Extra configuration options to be merged with a master prj.conf
  36. when building or running the test case.
  37. build_only: <True|False> (default False)
  38. If true, don't try to run the test even if the selected platform
  39. supports it.
  40. build_on_all: <True|False> (default False)
  41. If true, attempt to build test on all available platforms.
  42. depends_on: <list of features>
  43. A board or platform can announce what features it supports, this option
  44. will enable the test only those platforms that provide this feature.
  45. min_ram: <integer>
  46. minimum amount of RAM needed for this test to build and run. This is
  47. compared with information provided by the board metadata.
  48. min_flash: <integer>
  49. minimum amount of ROM needed for this test to build and run. This is
  50. compared with information provided by the board metadata.
  51. timeout: <number of seconds>
  52. Length of time to run test in emulator before automatically killing it.
  53. Default to 60 seconds.
  54. arch_allow: <list of arches, such as x86, arm, arc>
  55. Set of architectures that this test case should only be run for.
  56. arch_exclude: <list of arches, such as x86, arm, arc>
  57. Set of architectures that this test case should not run on.
  58. platform_allow: <list of platforms>
  59. Set of platforms that this test case should only be run for.
  60. platform_exclude: <list of platforms>
  61. Set of platforms that this test case should not run on.
  62. extra_sections: <list of extra binary sections>
  63. When computing sizes, twister will report errors if it finds
  64. extra, unexpected sections in the Zephyr binary unless they are named
  65. here. They will not be included in the size calculation.
  66. filter: <expression>
  67. Filter whether the testcase should be run by evaluating an expression
  68. against an environment containing the following values:
  69. { ARCH : <architecture>,
  70. PLATFORM : <platform>,
  71. <all CONFIG_* key/value pairs in the test's generated defconfig>,
  72. <all DT_* key/value pairs in the test's generated device tree file>,
  73. <all CMake key/value pairs in the test's generated CMakeCache.txt file>,
  74. *<env>: any environment variable available
  75. }
  76. The grammar for the expression language is as follows:
  77. expression ::= expression "and" expression
  78. | expression "or" expression
  79. | "not" expression
  80. | "(" expression ")"
  81. | symbol "==" constant
  82. | symbol "!=" constant
  83. | symbol "<" number
  84. | symbol ">" number
  85. | symbol ">=" number
  86. | symbol "<=" number
  87. | symbol "in" list
  88. | symbol ":" string
  89. | symbol
  90. list ::= "[" list_contents "]"
  91. list_contents ::= constant
  92. | list_contents "," constant
  93. constant ::= number
  94. | string
  95. For the case where expression ::= symbol, it evaluates to true
  96. if the symbol is defined to a non-empty string.
  97. Operator precedence, starting from lowest to highest:
  98. or (left associative)
  99. and (left associative)
  100. not (right associative)
  101. all comparison operators (non-associative)
  102. arch_allow, arch_exclude, platform_allow, platform_exclude
  103. are all syntactic sugar for these expressions. For instance
  104. arch_exclude = x86 arc
  105. Is the same as:
  106. filter = not ARCH in ["x86", "arc"]
  107. The ':' operator compiles the string argument as a regular expression,
  108. and then returns a true value only if the symbol's value in the environment
  109. matches. For example, if CONFIG_SOC="stm32f107xc" then
  110. filter = CONFIG_SOC : "stm.*"
  111. Would match it.
  112. The set of test cases that actually run depends on directives in the testcase
  113. filed and options passed in on the command line. If there is any confusion,
  114. running with -v or examining the discard report (twister_discard.csv)
  115. can help show why particular test cases were skipped.
  116. Metrics (such as pass/fail state and binary size) for the last code
  117. release are stored in scripts/release/twister_last_release.csv.
  118. To update this, pass the --all --release options.
  119. To load arguments from a file, write '+' before the file name, e.g.,
  120. +file_name. File content must be one or more valid arguments separated by
  121. line break instead of white spaces.
  122. Most everyday users will run with no arguments.
  123. """
  124. import os
  125. import argparse
  126. import sys
  127. import logging
  128. import time
  129. import itertools
  130. import shutil
  131. from collections import OrderedDict
  132. import multiprocessing
  133. from itertools import islice
  134. import csv
  135. from colorama import Fore
  136. from pathlib import Path
  137. from multiprocessing.managers import BaseManager
  138. import queue
  139. ZEPHYR_BASE = os.getenv("ZEPHYR_BASE")
  140. if not ZEPHYR_BASE:
  141. # This file has been zephyr/scripts/twister for years,
  142. # and that is not going to change anytime soon. Let the user
  143. # run this script as ./scripts/twister without making them
  144. # set ZEPHYR_BASE.
  145. ZEPHYR_BASE = str(Path(__file__).resolve().parents[1])
  146. # Propagate this decision to child processes.
  147. os.environ['ZEPHYR_BASE'] = ZEPHYR_BASE
  148. print(f'ZEPHYR_BASE unset, using "{ZEPHYR_BASE}"')
  149. try:
  150. from anytree import RenderTree, Node, find
  151. except ImportError:
  152. print("Install the anytree module to use the --test-tree option")
  153. try:
  154. from tabulate import tabulate
  155. except ImportError:
  156. print("Install tabulate python module with pip to use --device-testing option.")
  157. sys.path.insert(0, os.path.join(ZEPHYR_BASE, "scripts/pylib/twister"))
  158. from twisterlib import HardwareMap, TestSuite, SizeCalculator, CoverageTool, ExecutionCounter
  159. logger = logging.getLogger('twister')
  160. logger.setLevel(logging.DEBUG)
  161. def size_report(sc):
  162. logger.info(sc.filename)
  163. logger.info("SECTION NAME VMA LMA SIZE HEX SZ TYPE")
  164. for i in range(len(sc.sections)):
  165. v = sc.sections[i]
  166. logger.info("%-17s 0x%08x 0x%08x %8d 0x%05x %-7s" %
  167. (v["name"], v["virt_addr"], v["load_addr"], v["size"], v["size"],
  168. v["type"]))
  169. logger.info("Totals: %d bytes (ROM), %d bytes (RAM)" %
  170. (sc.rom_size, sc.ram_size))
  171. logger.info("")
  172. def export_tests(filename, tests):
  173. with open(filename, "wt") as csvfile:
  174. fieldnames = ['section', 'subsection', 'title', 'reference']
  175. cw = csv.DictWriter(csvfile, fieldnames, lineterminator=os.linesep)
  176. for test in tests:
  177. data = test.split(".")
  178. if len(data) > 1:
  179. subsec = " ".join(data[1].split("_")).title()
  180. rowdict = {
  181. "section": data[0].capitalize(),
  182. "subsection": subsec,
  183. "title": test,
  184. "reference": test
  185. }
  186. cw.writerow(rowdict)
  187. else:
  188. logger.error("{} can't be exported: ".format(test))
  189. def parse_arguments():
  190. parser = argparse.ArgumentParser(
  191. description=__doc__,
  192. formatter_class=argparse.RawDescriptionHelpFormatter)
  193. parser.fromfile_prefix_chars = "+"
  194. case_select = parser.add_argument_group("Test case selection",
  195. """
  196. Artificially long but functional example:
  197. $ ./scripts/twister -v \\
  198. --testcase-root tests/ztest/base \\
  199. --testcase-root tests/kernel \\
  200. --test tests/ztest/base/testing.ztest.verbose_0 \\
  201. --test tests/kernel/fifo/fifo_api/kernel.fifo.poll
  202. "kernel.fifo.poll" is one of the test section names in
  203. __/fifo_api/testcase.yaml
  204. """)
  205. parser.add_argument("--force-toolchain", action="store_true",
  206. help="Do not filter based on toolchain, use the set "
  207. " toolchain unconditionally")
  208. parser.add_argument(
  209. "-p", "--platform", action="append",
  210. help="Platform filter for testing. This option may be used multiple "
  211. "times. Testcases will only be built/run on the platforms "
  212. "specified. If this option is not used, then platforms marked "
  213. "as default in the platform metadata file will be chosen "
  214. "to build and test. ")
  215. parser.add_argument("-P", "--exclude-platform", action="append", default=[],
  216. help="""Exclude platforms and do not build or run any tests
  217. on those platforms. This option can be called multiple times.
  218. """
  219. )
  220. parser.add_argument(
  221. "-a", "--arch", action="append",
  222. help="Arch filter for testing. Takes precedence over --platform. "
  223. "If unspecified, test all arches. Multiple invocations "
  224. "are treated as a logical 'or' relationship")
  225. parser.add_argument(
  226. "-t", "--tag", action="append",
  227. help="Specify tags to restrict which tests to run by tag value. "
  228. "Default is to not do any tag filtering. Multiple invocations "
  229. "are treated as a logical 'or' relationship")
  230. parser.add_argument("-e", "--exclude-tag", action="append",
  231. help="Specify tags of tests that should not run. "
  232. "Default is to run all tests with all tags.")
  233. case_select.add_argument(
  234. "-f",
  235. "--only-failed",
  236. action="store_true",
  237. help="Run only those tests that failed the previous twister run "
  238. "invocation.")
  239. parser.add_argument(
  240. "--retry-failed", type=int, default=0,
  241. help="Retry failing tests again, up to the number of times specified.")
  242. parser.add_argument(
  243. "--retry-interval", type=int, default=60,
  244. help="Retry failing tests after specified period of time.")
  245. test_xor_subtest = case_select.add_mutually_exclusive_group()
  246. test_xor_subtest.add_argument(
  247. "-s", "--test", action="append",
  248. help="Run only the specified test cases. These are named by "
  249. "<path/relative/to/Zephyr/base/section.name.in.testcase.yaml>")
  250. test_xor_subtest.add_argument(
  251. "--sub-test", action="append",
  252. help="""Recursively find sub-test functions and run the entire
  253. test section where they were found, including all sibling test
  254. functions. Sub-tests are named by:
  255. section.name.in.testcase.yaml.function_name_without_test_prefix
  256. Example: kernel.fifo.poll.fifo_loop
  257. """)
  258. parser.add_argument(
  259. "-l", "--all", action="store_true",
  260. help="Build/test on all platforms. Any --platform arguments "
  261. "ignored.")
  262. parser.add_argument(
  263. "-o", "--report-dir",
  264. help="""Output reports containing results of the test run into the
  265. specified directory.
  266. The output will be both in CSV and JUNIT format
  267. (twister.csv and twister.xml).
  268. """)
  269. parser.add_argument(
  270. "--json-report", action="store_true",
  271. help="""Generate a JSON file with all test results. [Experimental]
  272. """)
  273. parser.add_argument(
  274. "--platform-reports", action="store_true",
  275. help="""Create individual reports for each platform.
  276. """)
  277. parser.add_argument(
  278. "--report-name",
  279. help="""Create a report with a custom name.
  280. """)
  281. parser.add_argument(
  282. "--report-suffix",
  283. help="""Add a suffix to all generated file names, for example to add a
  284. version or a commit ID.
  285. """)
  286. parser.add_argument("--report-excluded",
  287. action="store_true",
  288. help="""List all tests that are never run based on current scope and
  289. coverage. If you are looking for accurate results, run this with
  290. --all, but this will take a while...""")
  291. parser.add_argument("--compare-report",
  292. help="Use this report file for size comparison")
  293. parser.add_argument(
  294. "-B", "--subset",
  295. help="Only run a subset of the tests, 1/4 for running the first 25%%, "
  296. "3/5 means run the 3rd fifth of the total. "
  297. "This option is useful when running a large number of tests on "
  298. "different hosts to speed up execution time.")
  299. parser.add_argument(
  300. "-N", "--ninja", action="store_true",
  301. help="Use the Ninja generator with CMake")
  302. parser.add_argument(
  303. "-y", "--dry-run", action="store_true",
  304. help="""Create the filtered list of test cases, but don't actually
  305. run them. Useful if you're just interested in the discard report
  306. generated for every run and saved in the specified output
  307. directory (twister_discard.csv).
  308. """)
  309. parser.add_argument("--list-tags", action="store_true",
  310. help="list all tags in selected tests")
  311. case_select.add_argument("--list-tests", action="store_true",
  312. help="""List of all sub-test functions recursively found in
  313. all --testcase-root arguments. Note different sub-tests can share
  314. the same section name and come from different directories.
  315. The output is flattened and reports --sub-test names only,
  316. not their directories. For instance net.socket.getaddrinfo_ok
  317. and net.socket.fd_set belong to different directories.
  318. """)
  319. case_select.add_argument("--test-tree", action="store_true",
  320. help="""Output the testsuite in a tree form""")
  321. case_select.add_argument("--list-test-duplicates", action="store_true",
  322. help="""List tests with duplicate identifiers.
  323. """)
  324. parser.add_argument("--export-tests", action="store",
  325. metavar="FILENAME",
  326. help="Export tests case meta-data to a file in CSV format."
  327. "Test instances can be exported per target by supplying "
  328. "the platform name using --platform option. (tests for only "
  329. " one platform can be exported at a time)")
  330. parser.add_argument("--timestamps",
  331. action="store_true",
  332. help="Print all messages with time stamps")
  333. parser.add_argument(
  334. "-r", "--release", action="store_true",
  335. help="Update the benchmark database with the results of this test "
  336. "run. Intended to be run by CI when tagging an official "
  337. "release. This database is used as a basis for comparison "
  338. "when looking for deltas in metrics such as footprint")
  339. parser.add_argument("-W", "--disable-warnings-as-errors", action="store_true",
  340. help="Treat warning conditions as errors")
  341. parser.add_argument("--overflow-as-errors", action="store_true",
  342. help="Treat RAM/SRAM overflows as errors")
  343. parser.add_argument(
  344. "-v",
  345. "--verbose",
  346. action="count",
  347. default=0,
  348. help="Emit debugging information, call multiple times to increase "
  349. "verbosity")
  350. parser.add_argument(
  351. "-i", "--inline-logs", action="store_true",
  352. help="Upon test failure, print relevant log data to stdout "
  353. "instead of just a path to it")
  354. parser.add_argument("--log-file", metavar="FILENAME", action="store",
  355. help="log also to file")
  356. parser.add_argument(
  357. "-m", "--last-metrics", action="store_true",
  358. help="Instead of comparing metrics from the last --release, "
  359. "compare with the results of the previous twister "
  360. "invocation")
  361. parser.add_argument(
  362. "-u",
  363. "--no-update",
  364. action="store_true",
  365. help="do not update the results of the last run of the twister run")
  366. parser.add_argument(
  367. "-G",
  368. "--integration",
  369. action="store_true",
  370. help="Run integration tests")
  371. case_select.add_argument(
  372. "-F",
  373. "--load-tests",
  374. metavar="FILENAME",
  375. action="store",
  376. help="Load list of tests and platforms to be run from file.")
  377. parser.add_argument(
  378. "--quarantine-list",
  379. metavar="FILENAME",
  380. help="Load list of test scenarios under quarantine. The entries in "
  381. "the file need to correspond to the test scenarios names as in"
  382. "corresponding tests .yaml files. These scenarios"
  383. "will be skipped with quarantine as the reason")
  384. parser.add_argument(
  385. "--quarantine-verify",
  386. action="store_true",
  387. help="Use the list of test scenarios under quarantine and run them"
  388. "to verify their current status")
  389. case_select.add_argument(
  390. "-E",
  391. "--save-tests",
  392. metavar="FILENAME",
  393. action="store",
  394. help="Append list of tests and platforms to be run to file.")
  395. test_or_build = parser.add_mutually_exclusive_group()
  396. test_or_build.add_argument(
  397. "-b", "--build-only", action="store_true",
  398. help="Only build the code, do not execute any of it in QEMU")
  399. test_or_build.add_argument(
  400. "--test-only", action="store_true",
  401. help="""Only run device tests with current artifacts, do not build
  402. the code""")
  403. parser.add_argument(
  404. "--cmake-only", action="store_true",
  405. help="Only run cmake, do not build or run.")
  406. parser.add_argument(
  407. "--filter", choices=['buildable', 'runnable'],
  408. default='buildable',
  409. help="""Filter tests to be built and executed. By default everything is
  410. built and if a test is runnable (emulation or a connected device), it
  411. is run. This option allows for example to only build tests that can
  412. actually be run. Runnable is a subset of buildable.""")
  413. parser.add_argument(
  414. "-M", "--runtime-artifact-cleanup", action="store_true",
  415. help="Delete artifacts of passing tests.")
  416. parser.add_argument(
  417. "-j", "--jobs", type=int,
  418. help="Number of jobs for building, defaults to number of CPU threads, "
  419. "overcommited by factor 2 when --build-only")
  420. parser.add_argument(
  421. "--show-footprint", action="store_true",
  422. help="Show footprint statistics and deltas since last release."
  423. )
  424. parser.add_argument(
  425. "-H", "--footprint-threshold", type=float, default=5,
  426. help="When checking test case footprint sizes, warn the user if "
  427. "the new app size is greater then the specified percentage "
  428. "from the last release. Default is 5. 0 to warn on any "
  429. "increase on app size")
  430. parser.add_argument(
  431. "-D", "--all-deltas", action="store_true",
  432. help="Show all footprint deltas, positive or negative. Implies "
  433. "--footprint-threshold=0")
  434. parser.add_argument(
  435. "-O", "--outdir",
  436. default=os.path.join(os.getcwd(), "twister-out"),
  437. help="Output directory for logs and binaries. "
  438. "Default is 'twister-out' in the current directory. "
  439. "This directory will be cleaned unless '--no-clean' is set. "
  440. "The '--clobber-output' option controls what cleaning does.")
  441. parser.add_argument(
  442. "-c", "--clobber-output", action="store_true",
  443. help="Cleaning the output directory will simply delete it instead "
  444. "of the default policy of renaming.")
  445. parser.add_argument(
  446. "-n", "--no-clean", action="store_true",
  447. help="Re-use the outdir before building. Will result in "
  448. "faster compilation since builds will be incremental.")
  449. case_select.add_argument(
  450. "-T", "--testcase-root", action="append", default=[],
  451. help="Base directory to recursively search for test cases. All "
  452. "testcase.yaml files under here will be processed. May be "
  453. "called multiple times. Defaults to the 'samples/' and "
  454. "'tests/' directories at the base of the Zephyr tree.")
  455. board_root_list = ["%s/boards" % ZEPHYR_BASE,
  456. "%s/scripts/pylib/twister/boards" % ZEPHYR_BASE]
  457. parser.add_argument(
  458. "-A", "--board-root", action="append", default=board_root_list,
  459. help="""Directory to search for board configuration files. All .yaml
  460. files in the directory will be processed. The directory should have the same
  461. structure in the main Zephyr tree: boards/<arch>/<board_name>/""")
  462. parser.add_argument(
  463. "-z", "--size", action="append",
  464. help="Don't run twister. Instead, produce a report to "
  465. "stdout detailing RAM/ROM sizes on the specified filenames. "
  466. "All other command line arguments ignored.")
  467. parser.add_argument(
  468. "-S", "--enable-slow", action="store_true",
  469. help="Execute time-consuming test cases that have been marked "
  470. "as 'slow' in testcase.yaml. Normally these are only built.")
  471. parser.add_argument(
  472. "-K", "--force-platform", action="store_true",
  473. help="""Force testing on selected platforms,
  474. even if they are excluded in the test configuration (testcase.yaml)"""
  475. )
  476. parser.add_argument(
  477. "--disable-unrecognized-section-test", action="store_true",
  478. default=False,
  479. help="Skip the 'unrecognized section' test.")
  480. parser.add_argument("-R", "--enable-asserts", action="store_true",
  481. default=True,
  482. help="deprecated, left for compatibility")
  483. parser.add_argument("--disable-asserts", action="store_false",
  484. dest="enable_asserts",
  485. help="deprecated, left for compatibility")
  486. parser.add_argument("-Q", "--error-on-deprecations", action="store_false",
  487. help="Error on deprecation warnings.")
  488. parser.add_argument("--enable-size-report", action="store_true",
  489. help="Enable expensive computation of RAM/ROM segment sizes.")
  490. parser.add_argument(
  491. "-x", "--extra-args", action="append", default=[],
  492. help="""Extra CMake cache entries to define when building test cases.
  493. May be called multiple times. The key-value entries will be
  494. prefixed with -D before being passed to CMake.
  495. E.g
  496. "twister -x=USE_CCACHE=0"
  497. will translate to
  498. "cmake -DUSE_CCACHE=0"
  499. which will ultimately disable ccache.
  500. """
  501. )
  502. parser.add_argument(
  503. "--emulation-only", action="store_true",
  504. help="Only build and run emulation platforms")
  505. parser.add_argument(
  506. "--device-testing", action="store_true",
  507. help="Test on device directly. Specify the serial device to "
  508. "use with the --device-serial option.")
  509. parser.add_argument(
  510. "-X", "--fixture", action="append", default=[],
  511. help="Specify a fixture that a board might support")
  512. serial = parser.add_mutually_exclusive_group()
  513. serial.add_argument("--device-serial",
  514. help="""Serial device for accessing the board
  515. (e.g., /dev/ttyACM0)
  516. """)
  517. serial.add_argument("--device-serial-pty",
  518. help="""Script for controlling pseudoterminal.
  519. Twister believes that it interacts with a terminal
  520. when it actually interacts with the script.
  521. E.g "twister --device-testing
  522. --device-serial-pty <script>
  523. """)
  524. parser.add_argument("--generate-hardware-map",
  525. help="""Probe serial devices connected to this platform
  526. and create a hardware map file to be used with
  527. --device-testing
  528. """)
  529. parser.add_argument("--persistent-hardware-map", action='store_true',
  530. help="""With --generate-hardware-map, tries to use
  531. persistent names for serial devices on platforms
  532. that support this feature (currently only Linux).
  533. """)
  534. parser.add_argument("--hardware-map",
  535. help="""Load hardware map from a file. This will be used
  536. for testing on hardware that is listed in the file.
  537. """)
  538. parser.add_argument("--pre-script",
  539. help="""specify a pre script. This will be executed
  540. before device handler open serial port and invoke runner.
  541. """)
  542. parser.add_argument(
  543. "--west-flash", nargs='?', const=[],
  544. help="""Uses west instead of ninja or make to flash when running with
  545. --device-testing. Supports comma-separated argument list.
  546. E.g "twister --device-testing --device-serial /dev/ttyACM0
  547. --west-flash="--board-id=foobar,--erase"
  548. will translate to "west flash -- --board-id=foobar --erase"
  549. NOTE: device-testing must be enabled to use this option.
  550. """
  551. )
  552. parser.add_argument(
  553. "--west-runner",
  554. help="""Uses the specified west runner instead of default when running
  555. with --west-flash.
  556. E.g "twister --device-testing --device-serial /dev/ttyACM0
  557. --west-flash --west-runner=pyocd"
  558. will translate to "west flash --runner pyocd"
  559. NOTE: west-flash must be enabled to use this option.
  560. """
  561. )
  562. valgrind_asan_group = parser.add_mutually_exclusive_group()
  563. valgrind_asan_group.add_argument(
  564. "--enable-valgrind", action="store_true",
  565. help="""Run binary through valgrind and check for several memory access
  566. errors. Valgrind needs to be installed on the host. This option only
  567. works with host binaries such as those generated for the native_posix
  568. configuration and is mutual exclusive with --enable-asan.
  569. """)
  570. valgrind_asan_group.add_argument(
  571. "--enable-asan", action="store_true",
  572. help="""Enable address sanitizer to check for several memory access
  573. errors. Libasan needs to be installed on the host. This option only
  574. works with host binaries such as those generated for the native_posix
  575. configuration and is mutual exclusive with --enable-valgrind.
  576. """)
  577. parser.add_argument(
  578. "--enable-lsan", action="store_true",
  579. help="""Enable leak sanitizer to check for heap memory leaks.
  580. Libasan needs to be installed on the host. This option only
  581. works with host binaries such as those generated for the native_posix
  582. configuration and when --enable-asan is given.
  583. """)
  584. parser.add_argument(
  585. "--enable-ubsan", action="store_true",
  586. help="""Enable undefined behavior sanitizer to check for undefined
  587. behaviour during program execution. It uses an optional runtime library
  588. to provide better error diagnostics. This option only works with host
  589. binaries such as those generated for the native_posix configuration.
  590. """)
  591. parser.add_argument("--enable-coverage", action="store_true",
  592. help="Enable code coverage using gcov.")
  593. parser.add_argument("-C", "--coverage", action="store_true",
  594. help="Generate coverage reports. Implies "
  595. "--enable-coverage.")
  596. parser.add_argument("--coverage-platform", action="append", default=[],
  597. help="Plarforms to run coverage reports on. "
  598. "This option may be used multiple times. "
  599. "Default to what was selected with --platform.")
  600. parser.add_argument("--gcov-tool", default=None,
  601. help="Path to the gcov tool to use for code coverage "
  602. "reports")
  603. parser.add_argument("--coverage-tool", choices=['lcov', 'gcovr'], default='lcov',
  604. help="Tool to use to generate coverage report.")
  605. parser.add_argument("--coverage-basedir", default=ZEPHYR_BASE,
  606. help="Base source directory for coverage report.")
  607. return parser.parse_args()
  608. def main():
  609. start_time = time.time()
  610. options = parse_arguments()
  611. previous_results = None
  612. # Cleanup
  613. if options.no_clean or options.only_failed or options.test_only:
  614. if os.path.exists(options.outdir):
  615. print("Keeping artifacts untouched")
  616. elif options.last_metrics:
  617. ls = os.path.join(options.outdir, "twister.csv")
  618. if os.path.exists(ls):
  619. with open(ls, "r") as fp:
  620. previous_results = fp.read()
  621. else:
  622. sys.exit(f"Can't compare metrics with non existing file {ls}")
  623. elif os.path.exists(options.outdir):
  624. if options.clobber_output:
  625. print("Deleting output directory {}".format(options.outdir))
  626. shutil.rmtree(options.outdir)
  627. else:
  628. for i in range(1, 100):
  629. new_out = options.outdir + ".{}".format(i)
  630. if not os.path.exists(new_out):
  631. print("Renaming output directory to {}".format(new_out))
  632. shutil.move(options.outdir, new_out)
  633. break
  634. previous_results_file = None
  635. os.makedirs(options.outdir, exist_ok=True)
  636. if options.last_metrics and previous_results:
  637. previous_results_file = os.path.join(options.outdir, "baseline.csv")
  638. with open(previous_results_file, "w") as fp:
  639. fp.write(previous_results)
  640. # create file handler which logs even debug messages
  641. if options.log_file:
  642. fh = logging.FileHandler(options.log_file)
  643. else:
  644. fh = logging.FileHandler(os.path.join(options.outdir, "twister.log"))
  645. fh.setLevel(logging.DEBUG)
  646. # create console handler with a higher log level
  647. ch = logging.StreamHandler()
  648. VERBOSE = options.verbose
  649. if VERBOSE > 1:
  650. ch.setLevel(logging.DEBUG)
  651. else:
  652. ch.setLevel(logging.INFO)
  653. # create formatter and add it to the handlers
  654. if options.timestamps:
  655. formatter = logging.Formatter('%(asctime)s - %(levelname)s - %(message)s')
  656. else:
  657. formatter = logging.Formatter('%(levelname)-7s - %(message)s')
  658. formatter_file = logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s')
  659. ch.setFormatter(formatter)
  660. fh.setFormatter(formatter_file)
  661. # add the handlers to logger
  662. logger.addHandler(ch)
  663. logger.addHandler(fh)
  664. hwm = HardwareMap()
  665. if options.generate_hardware_map:
  666. hwm.scan(persistent=options.persistent_hardware_map)
  667. hwm.save(options.generate_hardware_map)
  668. return
  669. if not options.device_testing and options.hardware_map:
  670. hwm.load(options.hardware_map)
  671. logger.info("Available devices:")
  672. table = []
  673. hwm.dump(connected_only=True)
  674. return
  675. if options.west_runner and options.west_flash is None:
  676. logger.error("west-runner requires west-flash to be enabled")
  677. sys.exit(1)
  678. if options.west_flash and not options.device_testing:
  679. logger.error("west-flash requires device-testing to be enabled")
  680. sys.exit(1)
  681. if options.coverage:
  682. options.enable_coverage = True
  683. if not options.coverage_platform:
  684. options.coverage_platform = options.platform
  685. if options.size:
  686. for fn in options.size:
  687. size_report(SizeCalculator(fn, []))
  688. sys.exit(0)
  689. if options.subset:
  690. subset, sets = options.subset.split("/")
  691. if int(subset) > 0 and int(sets) >= int(subset):
  692. logger.info("Running only a subset: %s/%s" % (subset, sets))
  693. else:
  694. logger.error("You have provided a wrong subset value: %s." % options.subset)
  695. return
  696. if not options.testcase_root:
  697. options.testcase_root = [os.path.join(ZEPHYR_BASE, "tests"),
  698. os.path.join(ZEPHYR_BASE, "samples")]
  699. if options.show_footprint or options.compare_report or options.release:
  700. options.enable_size_report = True
  701. suite = TestSuite(options.board_root, options.testcase_root, options.outdir)
  702. # Check version of zephyr repo
  703. suite.check_zephyr_version()
  704. # Set testsuite options from command line.
  705. suite.build_only = options.build_only
  706. suite.cmake_only = options.cmake_only
  707. suite.cleanup = options.runtime_artifact_cleanup
  708. suite.test_only = options.test_only
  709. suite.enable_slow = options.enable_slow
  710. suite.device_testing = options.device_testing
  711. suite.fixtures = options.fixture
  712. suite.enable_asan = options.enable_asan
  713. suite.enable_lsan = options.enable_lsan
  714. suite.enable_ubsan = options.enable_ubsan
  715. suite.enable_coverage = options.enable_coverage
  716. suite.enable_valgrind = options.enable_valgrind
  717. suite.coverage_platform = options.coverage_platform
  718. suite.inline_logs = options.inline_logs
  719. suite.enable_size_report = options.enable_size_report
  720. suite.extra_args = options.extra_args
  721. suite.west_flash = options.west_flash
  722. suite.west_runner = options.west_runner
  723. suite.verbose = VERBOSE
  724. suite.warnings_as_errors = not options.disable_warnings_as_errors
  725. suite.integration = options.integration
  726. suite.overflow_as_errors = options.overflow_as_errors
  727. if options.ninja:
  728. suite.generator_cmd = "ninja"
  729. suite.generator = "Ninja"
  730. else:
  731. suite.generator_cmd = "make"
  732. suite.generator = "Unix Makefiles"
  733. # Set number of jobs
  734. if options.jobs:
  735. suite.jobs = options.jobs
  736. elif options.build_only:
  737. suite.jobs = multiprocessing.cpu_count() * 2
  738. else:
  739. suite.jobs = multiprocessing.cpu_count()
  740. logger.info("JOBS: %d" % suite.jobs)
  741. run_individual_tests = []
  742. if options.test:
  743. run_individual_tests = options.test
  744. num = suite.add_testcases(testcase_filter=run_individual_tests)
  745. if num == 0:
  746. logger.error("No test cases found at the specified location...")
  747. sys.exit(1)
  748. suite.add_configurations()
  749. if options.device_testing:
  750. if options.hardware_map:
  751. hwm.load(options.hardware_map)
  752. suite.duts = hwm.duts
  753. if not options.platform:
  754. options.platform = []
  755. for d in hwm.duts:
  756. if d.connected:
  757. options.platform.append(d.platform)
  758. elif options.device_serial or options.device_serial_pty:
  759. if options.platform and len(options.platform) == 1:
  760. if options.device_serial:
  761. hwm.add_device(options.device_serial,
  762. options.platform[0],
  763. options.pre_script,
  764. False)
  765. else:
  766. hwm.add_device(options.device_serial_pty,
  767. options.platform[0],
  768. options.pre_script,
  769. True)
  770. suite.duts = hwm.duts
  771. else:
  772. logger.error("""When --device-testing is used with
  773. --device-serial or --device-serial-pty,
  774. only one platform is allowed""")
  775. if suite.load_errors:
  776. sys.exit(1)
  777. if options.list_tags:
  778. tags = set()
  779. for _, tc in suite.testcases.items():
  780. tags = tags.union(tc.tags)
  781. for t in tags:
  782. print("- {}".format(t))
  783. return
  784. if not options.platform and (options.list_tests or options.test_tree or options.list_test_duplicates \
  785. or options.sub_test or options.export_tests):
  786. cnt = 0
  787. all_tests = suite.get_all_tests()
  788. if options.export_tests:
  789. export_tests(options.export_tests, all_tests)
  790. return
  791. if options.list_test_duplicates:
  792. import collections
  793. dupes = [item for item, count in collections.Counter(all_tests).items() if count > 1]
  794. if dupes:
  795. print("Tests with duplicate identifiers:")
  796. for dupe in dupes:
  797. print("- {}".format(dupe))
  798. for dc in suite.get_testcase(dupe):
  799. print(" - {}".format(dc))
  800. else:
  801. print("No duplicates found.")
  802. return
  803. if options.sub_test:
  804. for st in options.sub_test:
  805. subtests = suite.get_testcase(st)
  806. for sti in subtests:
  807. run_individual_tests.append(sti.name)
  808. if run_individual_tests:
  809. logger.info("Running the following tests:")
  810. for test in run_individual_tests:
  811. print(" - {}".format(test))
  812. else:
  813. logger.info("Tests not found")
  814. return
  815. elif options.list_tests or options.test_tree:
  816. if options.test_tree:
  817. testsuite = Node("Testsuite")
  818. samples = Node("Samples", parent=testsuite)
  819. tests = Node("Tests", parent=testsuite)
  820. for test in sorted(all_tests):
  821. cnt = cnt + 1
  822. if options.list_tests:
  823. print(" - {}".format(test))
  824. if options.test_tree:
  825. if test.startswith("sample."):
  826. sec = test.split(".")
  827. area = find(samples, lambda node: node.name == sec[1] and node.parent == samples)
  828. if not area:
  829. area = Node(sec[1], parent=samples)
  830. t = Node(test, parent=area)
  831. else:
  832. sec = test.split(".")
  833. area = find(tests, lambda node: node.name == sec[0] and node.parent == tests)
  834. if not area:
  835. area = Node(sec[0], parent=tests)
  836. if area and len(sec) > 2:
  837. subarea = find(area, lambda node: node.name == sec[1] and node.parent == area)
  838. if not subarea:
  839. subarea = Node(sec[1], parent=area)
  840. t = Node(test, parent=subarea)
  841. if options.list_tests:
  842. print("{} total.".format(cnt))
  843. if options.test_tree:
  844. for pre, _, node in RenderTree(testsuite):
  845. print("%s%s" % (pre, node.name))
  846. return
  847. discards = []
  848. if options.report_suffix:
  849. last_run = os.path.join(options.outdir, "twister_{}.csv".format(options.report_suffix))
  850. else:
  851. last_run = os.path.join(options.outdir, "twister.csv")
  852. if options.quarantine_list:
  853. suite.load_quarantine(options.quarantine_list)
  854. if options.quarantine_verify:
  855. if not options.quarantine_list:
  856. logger.error("No quarantine list given to be verified")
  857. sys.exit(1)
  858. suite.quarantine_verify = options.quarantine_verify
  859. if options.only_failed:
  860. suite.load_from_file(last_run, filter_status=['skipped', 'passed'])
  861. suite.selected_platforms = set(p.platform.name for p in suite.instances.values())
  862. elif options.load_tests:
  863. suite.load_from_file(options.load_tests, filter_status=['skipped', 'error'])
  864. suite.selected_platforms = set(p.platform.name for p in suite.instances.values())
  865. elif options.test_only:
  866. # Get list of connected hardware and filter tests to only be run on connected hardware
  867. # in cases where no platform was specified when runn the tests.
  868. # If the platform does not exist in the hardware map, just skip it.
  869. connected_list = []
  870. if not options.platform:
  871. for connected in hwm.connected_hardware:
  872. if connected['connected']:
  873. connected_list.append(connected['platform'])
  874. suite.load_from_file(last_run, filter_status=['skipped', 'error'],
  875. filter_platform=connected_list)
  876. suite.selected_platforms = set(p.platform.name for p in suite.instances.values())
  877. else:
  878. discards = suite.apply_filters(
  879. enable_slow=options.enable_slow,
  880. platform=options.platform,
  881. exclude_platform=options.exclude_platform,
  882. arch=options.arch,
  883. tag=options.tag,
  884. exclude_tag=options.exclude_tag,
  885. force_toolchain=options.force_toolchain,
  886. all=options.all,
  887. emulation_only=options.emulation_only,
  888. run_individual_tests=run_individual_tests,
  889. runnable=(options.device_testing or options.filter == 'runnable'),
  890. force_platform=options.force_platform
  891. )
  892. if (options.export_tests or options.list_tests) and options.platform:
  893. if len(options.platform) > 1:
  894. logger.error("When exporting tests, only one platform "
  895. "should be specified.")
  896. return
  897. for p in options.platform:
  898. inst = suite.get_platform_instances(p)
  899. if options.export_tests:
  900. tests = [x.testcase.cases for x in inst.values()]
  901. merged = list(itertools.chain(*tests))
  902. export_tests(options.export_tests, merged)
  903. return
  904. count = 0
  905. for i in inst.values():
  906. for c in i.testcase.cases:
  907. print(f"- {c}")
  908. count += 1
  909. print(f"Tests found: {count}")
  910. return
  911. if VERBOSE > 1 and discards:
  912. # if we are using command line platform filter, no need to list every
  913. # other platform as excluded, we know that already.
  914. # Show only the discards that apply to the selected platforms on the
  915. # command line
  916. for i, reason in discards.items():
  917. if options.platform and i.platform.name not in options.platform:
  918. continue
  919. logger.debug(
  920. "{:<25} {:<50} {}SKIPPED{}: {}".format(
  921. i.platform.name,
  922. i.testcase.name,
  923. Fore.YELLOW,
  924. Fore.RESET,
  925. reason))
  926. if options.report_excluded:
  927. all_tests = suite.get_all_tests()
  928. to_be_run = set()
  929. for i, p in suite.instances.items():
  930. to_be_run.update(p.testcase.cases)
  931. if all_tests - to_be_run:
  932. print("Tests that never build or run:")
  933. for not_run in all_tests - to_be_run:
  934. print("- {}".format(not_run))
  935. return
  936. if options.subset:
  937. # Test instances are sorted depending on the context. For CI runs
  938. # the execution order is: "plat1-testA, plat1-testB, ...,
  939. # plat1-testZ, plat2-testA, ...". For hardware tests
  940. # (device_testing), were multiple physical platforms can run the tests
  941. # in parallel, it is more efficient to run in the order:
  942. # "plat1-testA, plat2-testA, ..., plat1-testB, plat2-testB, ..."
  943. if options.device_testing:
  944. suite.instances = OrderedDict(sorted(suite.instances.items(),
  945. key=lambda x: x[0][x[0].find("/") + 1:]))
  946. else:
  947. suite.instances = OrderedDict(sorted(suite.instances.items()))
  948. # Do calculation based on what is actually going to be run and evaluated
  949. # at runtime, ignore the cases we already know going to be skipped.
  950. # This fixes an issue where some sets would get majority of skips and
  951. # basically run nothing beside filtering.
  952. to_run = {k : v for k,v in suite.instances.items() if v.status is None}
  953. subset, sets = options.subset.split("/")
  954. subset = int(subset)
  955. sets = int(sets)
  956. total = len(to_run)
  957. per_set = int(total / sets)
  958. num_extra_sets = total - (per_set * sets)
  959. # Try and be more fair for rounding error with integer division
  960. # so the last subset doesn't get overloaded, we add 1 extra to
  961. # subsets 1..num_extra_sets.
  962. if subset <= num_extra_sets:
  963. start = (subset - 1) * (per_set + 1)
  964. end = start + per_set + 1
  965. else:
  966. base = num_extra_sets * (per_set + 1)
  967. start = ((subset - num_extra_sets - 1) * per_set) + base
  968. end = start + per_set
  969. sliced_instances = islice(to_run.items(), start, end)
  970. skipped = {k : v for k,v in suite.instances.items() if v.status == 'skipped'}
  971. suite.instances = OrderedDict(sliced_instances)
  972. if subset == 1:
  973. # add all pre-filtered tests that are skipped to the first set to
  974. # allow for better distribution among all sets.
  975. suite.instances.update(skipped)
  976. if options.save_tests:
  977. suite.csv_report(options.save_tests)
  978. return
  979. logger.info("%d test scenarios (%d configurations) selected, %d configurations discarded due to filters." %
  980. (len(suite.testcases), len(suite.instances), len(discards)))
  981. if options.device_testing and not options.build_only:
  982. print("\nDevice testing on:")
  983. hwm.dump(filtered=suite.selected_platforms)
  984. print("")
  985. if options.dry_run:
  986. duration = time.time() - start_time
  987. logger.info("Completed in %d seconds" % (duration))
  988. return
  989. retries = options.retry_failed + 1
  990. completed = 0
  991. BaseManager.register('LifoQueue', queue.LifoQueue)
  992. manager = BaseManager()
  993. manager.start()
  994. results = ExecutionCounter(total=len(suite.instances))
  995. pipeline = manager.LifoQueue()
  996. done_queue = manager.LifoQueue()
  997. suite.update_counting(results, initial=True)
  998. suite.start_time = start_time
  999. while True:
  1000. completed += 1
  1001. if completed > 1:
  1002. logger.info("%d Iteration:" % (completed))
  1003. time.sleep(options.retry_interval) # waiting for the system to settle down
  1004. results.done = results.total - results.failed
  1005. results.failed = results.error
  1006. results = suite.execute(pipeline, done_queue, results)
  1007. while True:
  1008. try:
  1009. inst = done_queue.get_nowait()
  1010. except queue.Empty:
  1011. break
  1012. else:
  1013. inst.metrics.update(suite.instances[inst.name].metrics)
  1014. inst.metrics["handler_time"] = inst.handler.duration if inst.handler else 0
  1015. inst.metrics["unrecognized"] = []
  1016. suite.instances[inst.name] = inst
  1017. print("")
  1018. retries = retries - 1
  1019. # There are cases where failed == error (only build failures),
  1020. # we do not try build failures.
  1021. if retries == 0 or results.failed == results.error:
  1022. break
  1023. # figure out which report to use for size comparison
  1024. if options.compare_report:
  1025. report_to_use = options.compare_report
  1026. elif options.last_metrics:
  1027. report_to_use = previous_results_file
  1028. else:
  1029. report_to_use = suite.RELEASE_DATA
  1030. suite.footprint_reports(report_to_use,
  1031. options.show_footprint,
  1032. options.all_deltas,
  1033. options.footprint_threshold,
  1034. options.last_metrics)
  1035. suite.duration = time.time() - start_time
  1036. suite.update_counting(results)
  1037. suite.summary(results, options.disable_unrecognized_section_test)
  1038. if options.coverage:
  1039. if not options.gcov_tool:
  1040. use_system_gcov = False
  1041. for plat in options.coverage_platform:
  1042. ts_plat = suite.get_platform(plat)
  1043. if ts_plat and (ts_plat.type in {"native", "unit"}):
  1044. use_system_gcov = True
  1045. if use_system_gcov or "ZEPHYR_SDK_INSTALL_DIR" not in os.environ:
  1046. options.gcov_tool = "gcov"
  1047. else:
  1048. options.gcov_tool = os.path.join(os.environ["ZEPHYR_SDK_INSTALL_DIR"],
  1049. "x86_64-zephyr-elf/bin/x86_64-zephyr-elf-gcov")
  1050. logger.info("Generating coverage files...")
  1051. coverage_tool = CoverageTool.factory(options.coverage_tool)
  1052. coverage_tool.gcov_tool = options.gcov_tool
  1053. coverage_tool.base_dir = os.path.abspath(options.coverage_basedir)
  1054. coverage_tool.add_ignore_file('generated')
  1055. coverage_tool.add_ignore_directory('tests')
  1056. coverage_tool.add_ignore_directory('samples')
  1057. coverage_tool.generate(options.outdir)
  1058. if options.device_testing and not options.build_only:
  1059. print("\nHardware distribution summary:\n")
  1060. table = []
  1061. header = ['Board', 'ID', 'Counter']
  1062. for d in hwm.duts:
  1063. if d.connected and d.platform in suite.selected_platforms:
  1064. row = [d.platform, d.id, d.counter]
  1065. table.append(row)
  1066. print(tabulate(table, headers=header, tablefmt="github"))
  1067. suite.save_reports(options.report_name,
  1068. options.report_suffix,
  1069. options.report_dir,
  1070. options.no_update,
  1071. options.release,
  1072. options.only_failed,
  1073. options.platform_reports,
  1074. options.json_report
  1075. )
  1076. # FIXME: remove later
  1077. #logger.info(f"failed: {results.failed}, cases: {results.cases}, skipped configurations: {results.skipped_configs}, skipped_cases: {results.skipped_cases}, skipped(runtime): {results.skipped_runtime}, passed: {results.passed}, total: {results.total}, done: {results.done}")
  1078. logger.info("Run completed")
  1079. if results.failed or (suite.warnings and options.warnings_as_errors):
  1080. sys.exit(1)
  1081. if __name__ == "__main__":
  1082. try:
  1083. main()
  1084. finally:
  1085. if os.isatty(1): # stdout is interactive
  1086. os.system("stty sane")