check_compliance.py 40 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118
  1. #!/usr/bin/env python3
  2. # Copyright (c) 2018,2020 Intel Corporation
  3. # SPDX-License-Identifier: Apache-2.0
  4. import collections
  5. import sys
  6. import subprocess
  7. import re
  8. import os
  9. from email.utils import parseaddr
  10. import logging
  11. import argparse
  12. from junitparser import TestCase, TestSuite, JUnitXml, Skipped, Error, Failure, Attr
  13. import tempfile
  14. import traceback
  15. import magic
  16. import shlex
  17. from pathlib import Path
  18. # '*' makes it italic
  19. EDIT_TIP = "\n\n*Tip: The bot edits this comment instead of posting a new " \
  20. "one, so you can check the comment's history to see earlier " \
  21. "messages.*"
  22. logger = None
  23. # This ends up as None when we're not running in a Zephyr tree
  24. ZEPHYR_BASE = os.environ.get('ZEPHYR_BASE')
  25. def git(*args, cwd=None):
  26. # Helper for running a Git command. Returns the rstrip()ed stdout output.
  27. # Called like git("diff"). Exits with SystemError (raised by sys.exit()) on
  28. # errors. 'cwd' is the working directory to use (default: current
  29. # directory).
  30. git_cmd = ("git",) + args
  31. try:
  32. git_process = subprocess.Popen(
  33. git_cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE, cwd=cwd)
  34. except OSError as e:
  35. err(f"failed to run '{cmd2str(git_cmd)}': {e}")
  36. stdout, stderr = git_process.communicate()
  37. stdout = stdout.decode("utf-8")
  38. stderr = stderr.decode("utf-8")
  39. if git_process.returncode or stderr:
  40. err(f"""\
  41. '{cmd2str(git_cmd)}' exited with status {git_process.returncode} and/or wrote
  42. to stderr.
  43. ==stdout==
  44. {stdout}
  45. ==stderr==
  46. {stderr}""")
  47. return stdout.rstrip()
  48. def get_shas(refspec):
  49. """
  50. Returns the list of Git SHAs for 'refspec'.
  51. :param refspec:
  52. :return:
  53. """
  54. return git('rev-list',
  55. '--max-count={}'.format(-1 if "." in refspec else 1),
  56. refspec).split()
  57. class MyCase(TestCase):
  58. """
  59. Custom junitparser.TestCase for our tests that adds some extra <testcase>
  60. XML attributes. These will be preserved when tests are saved and loaded.
  61. """
  62. classname = Attr()
  63. # Remembers informational messages. These can appear on successful tests
  64. # too, where TestCase.result isn't set.
  65. info_msg = Attr()
  66. class ComplianceTest:
  67. """
  68. Base class for tests. Inheriting classes should have a run() method and set
  69. these class variables:
  70. name:
  71. Test name
  72. doc:
  73. Link to documentation related to what's being tested
  74. path_hint:
  75. The path the test runs itself in. This is just informative and used in
  76. the message that gets printed when running the test.
  77. The magic string "<git-top>" refers to the top-level repository
  78. directory. This avoids running 'git' to find the top-level directory
  79. before main() runs (class variable assignments run when the 'class ...'
  80. statement runs). That avoids swallowing errors, because main() reports
  81. them to GitHub.
  82. """
  83. def __init__(self):
  84. self.case = MyCase(self.name)
  85. self.case.classname = "Guidelines"
  86. def error(self, msg):
  87. """
  88. Signals a problem with running the test, with message 'msg'.
  89. Raises an exception internally, so you do not need to put a 'return'
  90. after error().
  91. Any failures generated prior to the error() are included automatically
  92. in the message. Usually, any failures would indicate problems with the
  93. test code.
  94. """
  95. if self.case.result:
  96. msg += "\n\nFailures before error: " + self.case.result._elem.text
  97. self.case.result = Error(msg, "error")
  98. raise EndTest
  99. def skip(self, msg):
  100. """
  101. Signals that the test should be skipped, with message 'msg'.
  102. Raises an exception internally, so you do not need to put a 'return'
  103. after skip().
  104. Any failures generated prior to the skip() are included automatically
  105. in the message. Usually, any failures would indicate problems with the
  106. test code.
  107. """
  108. if self.case.result:
  109. msg += "\n\nFailures before skip: " + self.case.result._elem.text
  110. self.case.result = Skipped(msg, "skipped")
  111. raise EndTest
  112. def add_failure(self, msg):
  113. """
  114. Signals that the test failed, with message 'msg'. Can be called many
  115. times within the same test to report multiple failures.
  116. """
  117. if not self.case.result:
  118. # First reported failure
  119. self.case.result = Failure(self.name + " issues", "failure")
  120. self.case.result._elem.text = msg.rstrip()
  121. else:
  122. # If there are multiple Failures, concatenate their messages
  123. self.case.result._elem.text += "\n\n" + msg.rstrip()
  124. def add_info(self, msg):
  125. """
  126. Adds an informational message without failing the test. The message is
  127. shown on GitHub, and is shown regardless of whether the test passes or
  128. fails. If the test fails, then both the informational message and the
  129. failure message are shown.
  130. Can be called many times within the same test to add multiple messages.
  131. """
  132. def escape(s):
  133. # Hack to preserve e.g. newlines and tabs in the attribute when
  134. # tests are saved to .xml and reloaded. junitparser doesn't seem to
  135. # handle it correctly, though it does escape stuff like quotes.
  136. # unicode-escape replaces newlines with \n (two characters), etc.
  137. return s.encode("unicode-escape").decode("utf-8")
  138. if not self.case.info_msg:
  139. self.case.info_msg = escape(msg)
  140. else:
  141. self.case.info_msg += r"\n\n" + escape(msg)
  142. class EndTest(Exception):
  143. """
  144. Raised by ComplianceTest.error()/skip() to end the test.
  145. Tests can raise EndTest themselves to immediately end the test, e.g. from
  146. within a nested function call.
  147. """
  148. class CheckPatch(ComplianceTest):
  149. """
  150. Runs checkpatch and reports found issues
  151. """
  152. name = "checkpatch"
  153. doc = "See https://docs.zephyrproject.org/latest/contribute/#coding-style for more details."
  154. path_hint = "<git-top>"
  155. def run(self):
  156. # Default to Zephyr's checkpatch if ZEPHYR_BASE is set
  157. checkpatch = os.path.join(ZEPHYR_BASE or GIT_TOP, 'scripts',
  158. 'checkpatch.pl')
  159. if not os.path.exists(checkpatch):
  160. self.skip(checkpatch + " not found")
  161. # git diff's output doesn't depend on the current (sub)directory
  162. diff = subprocess.Popen(('git', 'diff', COMMIT_RANGE),
  163. stdout=subprocess.PIPE)
  164. try:
  165. subprocess.check_output((checkpatch, '--mailback', '--no-tree', '-'),
  166. stdin=diff.stdout,
  167. stderr=subprocess.STDOUT,
  168. shell=True, cwd=GIT_TOP)
  169. except subprocess.CalledProcessError as ex:
  170. output = ex.output.decode("utf-8")
  171. self.add_failure(output)
  172. class KconfigCheck(ComplianceTest):
  173. """
  174. Checks is we are introducing any new warnings/errors with Kconfig,
  175. for example using undefiend Kconfig variables.
  176. """
  177. name = "Kconfig"
  178. doc = "See https://docs.zephyrproject.org/latest/guides/kconfig/index.html for more details."
  179. path_hint = ZEPHYR_BASE
  180. def run(self, full=True):
  181. kconf = self.parse_kconfig()
  182. self.check_top_menu_not_too_long(kconf)
  183. self.check_no_pointless_menuconfigs(kconf)
  184. self.check_no_undef_within_kconfig(kconf)
  185. if full:
  186. self.check_no_undef_outside_kconfig(kconf)
  187. def get_modules(self, modules_file):
  188. """
  189. Get a list of modules and put them in a file that is parsed by
  190. Kconfig
  191. This is needed to complete Kconfig sanity tests.
  192. """
  193. # Invoke the script directly using the Python executable since this is
  194. # not a module nor a pip-installed Python utility
  195. zephyr_module_path = os.path.join(ZEPHYR_BASE, "scripts",
  196. "zephyr_module.py")
  197. cmd = [sys.executable, zephyr_module_path,
  198. '--kconfig-out', modules_file]
  199. try:
  200. _ = subprocess.check_output(cmd, stderr=subprocess.STDOUT)
  201. except subprocess.CalledProcessError as ex:
  202. self.error(ex.output)
  203. modules_dir = ZEPHYR_BASE + '/modules'
  204. modules = [name for name in os.listdir(modules_dir) if
  205. os.path.exists(os.path.join(modules_dir, name, 'Kconfig'))]
  206. with open(modules_file, 'r') as fp_module_file:
  207. content = fp_module_file.read()
  208. with open(modules_file, 'w') as fp_module_file:
  209. for module in modules:
  210. fp_module_file.write("ZEPHYR_{}_KCONFIG = {}\n".format(
  211. re.sub('[^a-zA-Z0-9]', '_', module).upper(),
  212. modules_dir + '/' + module + '/Kconfig'
  213. ))
  214. fp_module_file.write(content)
  215. def parse_kconfig(self):
  216. """
  217. Returns a kconfiglib.Kconfig object for the Kconfig files. We reuse
  218. this object for all tests to avoid having to reparse for each test.
  219. """
  220. if not ZEPHYR_BASE:
  221. self.skip("Not a Zephyr tree (ZEPHYR_BASE unset)")
  222. # Put the Kconfiglib path first to make sure no local Kconfiglib version is
  223. # used
  224. kconfig_path = os.path.join(ZEPHYR_BASE, "scripts", "kconfig")
  225. if not os.path.exists(kconfig_path):
  226. self.error(kconfig_path + " not found")
  227. sys.path.insert(0, kconfig_path)
  228. # Import globally so that e.g. kconfiglib.Symbol can be referenced in
  229. # tests
  230. global kconfiglib
  231. import kconfiglib
  232. # Look up Kconfig files relative to ZEPHYR_BASE
  233. os.environ["srctree"] = ZEPHYR_BASE
  234. # Parse the entire Kconfig tree, to make sure we see all symbols
  235. os.environ["SOC_DIR"] = "soc/"
  236. os.environ["ARCH_DIR"] = "arch/"
  237. os.environ["BOARD_DIR"] = "boards/*/*"
  238. os.environ["ARCH"] = "*"
  239. os.environ["KCONFIG_BINARY_DIR"] = tempfile.gettempdir()
  240. os.environ['DEVICETREE_CONF'] = "dummy"
  241. os.environ['TOOLCHAIN_HAS_NEWLIB'] = "y"
  242. # Older name for DEVICETREE_CONF, for compatibility with older Zephyr
  243. # versions that don't have the renaming
  244. os.environ["GENERATED_DTS_BOARD_CONF"] = "dummy"
  245. # For multi repo support
  246. self.get_modules(os.path.join(tempfile.gettempdir(), "Kconfig.modules"))
  247. # Tells Kconfiglib to generate warnings for all references to undefined
  248. # symbols within Kconfig files
  249. os.environ["KCONFIG_WARN_UNDEF"] = "y"
  250. try:
  251. # Note this will both print warnings to stderr _and_ return
  252. # them: so some warnings might get printed
  253. # twice. "warn_to_stderr=False" could unfortunately cause
  254. # some (other) warnings to never be printed.
  255. return kconfiglib.Kconfig()
  256. except kconfiglib.KconfigError as e:
  257. self.add_failure(str(e))
  258. raise EndTest
  259. def check_top_menu_not_too_long(self, kconf):
  260. """
  261. Checks that there aren't too many items in the top-level menu (which
  262. might be a sign that stuff accidentally got added there)
  263. """
  264. max_top_items = 50
  265. n_top_items = 0
  266. node = kconf.top_node.list
  267. while node:
  268. # Only count items with prompts. Other items will never be
  269. # shown in the menuconfig (outside show-all mode).
  270. if node.prompt:
  271. n_top_items += 1
  272. node = node.next
  273. if n_top_items > max_top_items:
  274. self.add_failure("""
  275. Expected no more than {} potentially visible items (items with prompts) in the
  276. top-level Kconfig menu, found {} items. If you're deliberately adding new
  277. entries, then bump the 'max_top_items' variable in {}.
  278. """.format(max_top_items, n_top_items, __file__))
  279. def check_no_pointless_menuconfigs(self, kconf):
  280. # Checks that there are no pointless 'menuconfig' symbols without
  281. # children in the Kconfig files
  282. bad_mconfs = []
  283. for node in kconf.node_iter():
  284. # 'kconfiglib' is global
  285. # pylint: disable=undefined-variable
  286. # Avoid flagging empty regular menus and choices, in case people do
  287. # something with 'osource' (could happen for 'menuconfig' symbols
  288. # too, though it's less likely)
  289. if node.is_menuconfig and not node.list and \
  290. isinstance(node.item, kconfiglib.Symbol):
  291. bad_mconfs.append(node)
  292. if bad_mconfs:
  293. self.add_failure("""\
  294. Found pointless 'menuconfig' symbols without children. Use regular 'config'
  295. symbols instead. See
  296. https://docs.zephyrproject.org/latest/guides/kconfig/tips.html#menuconfig-symbols.
  297. """ + "\n".join(f"{node.item.name:35} {node.filename}:{node.linenr}"
  298. for node in bad_mconfs))
  299. def check_no_undef_within_kconfig(self, kconf):
  300. """
  301. Checks that there are no references to undefined Kconfig symbols within
  302. the Kconfig files
  303. """
  304. undef_ref_warnings = "\n\n\n".join(warning for warning in kconf.warnings
  305. if "undefined symbol" in warning)
  306. if undef_ref_warnings:
  307. self.add_failure("Undefined Kconfig symbols:\n\n"
  308. + undef_ref_warnings)
  309. def check_no_undef_outside_kconfig(self, kconf):
  310. """
  311. Checks that there are no references to undefined Kconfig symbols
  312. outside Kconfig files (any CONFIG_FOO where no FOO symbol exists)
  313. """
  314. # Grep for symbol references.
  315. #
  316. # Example output line for a reference to CONFIG_FOO at line 17 of
  317. # foo/bar.c:
  318. #
  319. # foo/bar.c<null>17<null>#ifdef CONFIG_FOO
  320. #
  321. # 'git grep --only-matching' would get rid of the surrounding context
  322. # ('#ifdef '), but it was added fairly recently (second half of 2018),
  323. # so we extract the references from each line ourselves instead.
  324. #
  325. # The regex uses word boundaries (\b) to isolate the reference, and
  326. # negative lookahead to automatically whitelist the following:
  327. #
  328. # - ##, for token pasting (CONFIG_FOO_##X)
  329. #
  330. # - $, e.g. for CMake variable expansion (CONFIG_FOO_${VAR})
  331. #
  332. # - @, e.g. for CMakes's configure_file() (CONFIG_FOO_@VAR@)
  333. #
  334. # - {, e.g. for Python scripts ("CONFIG_FOO_{}_BAR".format(...)")
  335. #
  336. # - *, meant for comments like '#endif /* CONFIG_FOO_* */
  337. defined_syms = get_defined_syms(kconf)
  338. # Maps each undefined symbol to a list <filename>:<linenr> strings
  339. undef_to_locs = collections.defaultdict(list)
  340. # Warning: Needs to work with both --perl-regexp and the 're' module
  341. regex = r"\bCONFIG_[A-Z0-9_]+\b(?!\s*##|[$@{*])"
  342. # Skip doc/releases, which often references removed symbols
  343. grep_stdout = git("grep", "--line-number", "-I", "--null",
  344. "--perl-regexp", regex, "--", ":!/doc/releases",
  345. cwd=Path(GIT_TOP))
  346. # splitlines() supports various line terminators
  347. for grep_line in grep_stdout.splitlines():
  348. path, lineno, line = grep_line.split("\0")
  349. # Extract symbol references (might be more than one) within the
  350. # line
  351. for sym_name in re.findall(regex, line):
  352. sym_name = sym_name[7:] # Strip CONFIG_
  353. if sym_name not in defined_syms and \
  354. sym_name not in UNDEF_KCONFIG_WHITELIST:
  355. undef_to_locs[sym_name].append("{}:{}".format(path, lineno))
  356. if not undef_to_locs:
  357. return
  358. # String that describes all referenced but undefined Kconfig symbols,
  359. # in alphabetical order, along with the locations where they're
  360. # referenced. Example:
  361. #
  362. # CONFIG_ALSO_MISSING arch/xtensa/core/fatal.c:273
  363. # CONFIG_MISSING arch/xtensa/core/fatal.c:264, subsys/fb/cfb.c:20
  364. undef_desc = "\n".join(
  365. "CONFIG_{:35} {}".format(sym_name, ", ".join(locs))
  366. for sym_name, locs in sorted(undef_to_locs.items()))
  367. self.add_failure("""
  368. Found references to undefined Kconfig symbols. If any of these are false
  369. positives, then add them to UNDEF_KCONFIG_WHITELIST in {} in the ci-tools repo.
  370. If the reference is for a comment like /* CONFIG_FOO_* */ (or
  371. /* CONFIG_FOO_*_... */), then please use exactly that form (with the '*'). The
  372. CI check knows not to flag it.
  373. More generally, a reference followed by $, @, {{, *, or ## will never be
  374. flagged.
  375. {}""".format(os.path.basename(__file__), undef_desc))
  376. def get_defined_syms(kconf):
  377. # Returns a set() with the names of all defined Kconfig symbols (with no
  378. # 'CONFIG_' prefix). This is complicated by samples and tests defining
  379. # their own Kconfig trees. For those, just grep for 'config FOO' to find
  380. # definitions. Doing it "properly" with Kconfiglib is still useful for the
  381. # main tree, because some symbols are defined using preprocessor macros.
  382. # Warning: Needs to work with both --perl-regexp and the 're' module.
  383. # (?:...) is a non-capturing group.
  384. regex = r"^\s*(?:menu)?config\s*([A-Z0-9_]+)\s*(?:#|$)"
  385. # Grep samples/ and tests/ for symbol definitions
  386. grep_stdout = git("grep", "-I", "-h", "--perl-regexp", regex, "--",
  387. ":samples", ":tests", cwd=ZEPHYR_BASE)
  388. # Symbols from the main Kconfig tree + grepped definitions from samples and
  389. # tests
  390. return set([sym.name for sym in kconf.unique_defined_syms]
  391. + re.findall(regex, grep_stdout, re.MULTILINE))
  392. # Many of these are symbols used as examples. Note that the list is sorted
  393. # alphabetically, and skips the CONFIG_ prefix.
  394. UNDEF_KCONFIG_WHITELIST = {
  395. "ALSO_MISSING",
  396. "APP_LINK_WITH_",
  397. "ARMCLANG_STD_LIBC", # The ARMCLANG_STD_LIBC is defined in the toolchain
  398. # Kconfig which is sourced based on Zephyr toolchain
  399. # variant and therefore not visible to compliance.
  400. "CDC_ACM_PORT_NAME_",
  401. "CLOCK_STM32_SYSCLK_SRC_",
  402. "CMU",
  403. "BT_6LOWPAN", # Defined in Linux, mentioned in docs
  404. "COUNTER_RTC_STM32_CLOCK_SRC",
  405. "CRC", # Used in TI CC13x2 / CC26x2 SDK comment
  406. "DEEP_SLEEP", # #defined by RV32M1 in ext/
  407. "DESCRIPTION",
  408. "ERR",
  409. "ESP_DIF_LIBRARY", # Referenced in CMake comment
  410. "EXPERIMENTAL",
  411. "FFT", # Used as an example in cmake/extensions.cmake
  412. "FLAG", # Used as an example
  413. "FOO",
  414. "FOO_LOG_LEVEL",
  415. "FOO_SETTING_1",
  416. "FOO_SETTING_2",
  417. "LSM6DSO_INT_PIN",
  418. "MISSING",
  419. "MODULES",
  420. "MYFEATURE",
  421. "MY_DRIVER_0",
  422. "NORMAL_SLEEP", # #defined by RV32M1 in ext/
  423. "OPT",
  424. "OPT_0",
  425. "PEDO_THS_MIN",
  426. "REG1",
  427. "REG2",
  428. "SAMPLE_MODULE_LOG_LEVEL", # Used as an example in samples/subsys/logging
  429. "SAMPLE_MODULE_LOG_LEVEL_DBG", # Used in tests/subsys/logging/log_api
  430. "SEL",
  431. "SHIFT",
  432. "SOC_WATCH", # Issue 13749
  433. "SOME_BOOL",
  434. "SOME_INT",
  435. "SOME_OTHER_BOOL",
  436. "SOME_STRING",
  437. "SRAM2", # Referenced in a comment in samples/application_development
  438. "STACK_SIZE", # Used as an example in the Kconfig docs
  439. "STD_CPP", # Referenced in CMake comment
  440. "TAGOIO_HTTP_POST_LOG_LEVEL", # Used as in samples/net/cloud/tagoio
  441. "TEST1",
  442. "TYPE_BOOLEAN",
  443. "USB_CONSOLE",
  444. "USE_STDC_",
  445. "WHATEVER",
  446. "EXTRA_FIRMWARE_DIR", # Linux, in boards/xtensa/intel_adsp_cavs25/doc
  447. "HUGETLBFS", # Linux, in boards/xtensa/intel_adsp_cavs25/doc
  448. "MODVERSIONS", # Linux, in boards/xtensa/intel_adsp_cavs25/doc
  449. "SECURITY_LOADPIN", # Linux, in boards/xtensa/intel_adsp_cavs25/doc
  450. }
  451. class KconfigBasicCheck(KconfigCheck, ComplianceTest):
  452. """
  453. Checks is we are introducing any new warnings/errors with Kconfig,
  454. for example using undefiend Kconfig variables.
  455. This runs the basic Kconfig test, which is checking only for undefined
  456. references inside the Kconfig tree.
  457. """
  458. name = "KconfigBasic"
  459. doc = "See https://docs.zephyrproject.org/latest/guides/kconfig/index.html for more details."
  460. path_hint = ZEPHYR_BASE
  461. def run(self):
  462. super().run(full=False)
  463. class Codeowners(ComplianceTest):
  464. """
  465. Check if added files have an owner.
  466. """
  467. name = "Codeowners"
  468. doc = "See https://help.github.com/articles/about-code-owners/ for more details."
  469. path_hint = "<git-top>"
  470. def ls_owned_files(self, codeowners):
  471. """Returns an OrderedDict mapping git patterns from the CODEOWNERS file
  472. to the corresponding list of files found on the filesystem. It
  473. unfortunately does not seem possible to invoke git and re-use
  474. how 'git ignore' and/or 'git attributes' already implement this,
  475. we must re-invent it.
  476. """
  477. # TODO: filter out files not in "git ls-files" (e.g.,
  478. # twister-out) _if_ the overhead isn't too high for a clean tree.
  479. #
  480. # pathlib.match() doesn't support **, so it looks like we can't
  481. # recursively glob the output of ls-files directly, only real
  482. # files :-(
  483. pattern2files = collections.OrderedDict()
  484. top_path = Path(GIT_TOP)
  485. with open(codeowners, "r") as codeo:
  486. for lineno, line in enumerate(codeo, start=1):
  487. if line.startswith("#") or not line.strip():
  488. continue
  489. match = re.match(r"^([^\s,]+)\s+[^\s]+", line)
  490. if not match:
  491. self.add_failure(
  492. "Invalid CODEOWNERS line %d\n\t%s" %
  493. (lineno, line))
  494. continue
  495. git_patrn = match.group(1)
  496. glob = self.git_pattern_to_glob(git_patrn)
  497. files = []
  498. for abs_path in top_path.glob(glob):
  499. # comparing strings is much faster later
  500. files.append(str(abs_path.relative_to(top_path)))
  501. if not files:
  502. self.add_failure("Path '{}' not found in the tree but is listed in "
  503. "CODEOWNERS".format(git_patrn))
  504. pattern2files[git_patrn] = files
  505. return pattern2files
  506. def git_pattern_to_glob(self, git_pattern):
  507. """Appends and prepends '**[/*]' when needed. Result has neither a
  508. leading nor a trailing slash.
  509. """
  510. if git_pattern.startswith("/"):
  511. ret = git_pattern[1:]
  512. else:
  513. ret = "**/" + git_pattern
  514. if git_pattern.endswith("/"):
  515. ret = ret + "**/*"
  516. elif os.path.isdir(os.path.join(GIT_TOP, ret)):
  517. self.add_failure("Expected '/' after directory '{}' "
  518. "in CODEOWNERS".format(ret))
  519. return ret
  520. def run(self):
  521. # TODO: testing an old self.commit range that doesn't end
  522. # with HEAD is most likely a mistake. Should warn, see
  523. # https://github.com/zephyrproject-rtos/ci-tools/pull/24
  524. codeowners = os.path.join(GIT_TOP, "CODEOWNERS")
  525. if not os.path.exists(codeowners):
  526. self.skip("CODEOWNERS not available in this repo")
  527. name_changes = git("diff", "--name-only", "--diff-filter=ARCD",
  528. COMMIT_RANGE)
  529. owners_changes = git("diff", "--name-only", COMMIT_RANGE,
  530. "--", codeowners)
  531. if not name_changes and not owners_changes:
  532. # TODO: 1. decouple basic and cheap CODEOWNERS syntax
  533. # validation from the expensive ls_owned_files() scanning of
  534. # the entire tree. 2. run the former always.
  535. return
  536. logging.info("If this takes too long then cleanup and try again")
  537. patrn2files = self.ls_owned_files(codeowners)
  538. # The way git finds Renames and Copies is not "exact science",
  539. # however if one is missed then it will always be reported as an
  540. # Addition instead.
  541. new_files = git("diff", "--name-only", "--diff-filter=ARC",
  542. COMMIT_RANGE).splitlines()
  543. logging.debug("New files %s", new_files)
  544. # Convert to pathlib.Path string representation (e.g.,
  545. # backslashes 'dir1\dir2\' on Windows) to be consistent
  546. # with self.ls_owned_files()
  547. new_files = [str(Path(f)) for f in new_files]
  548. new_not_owned = []
  549. for newf in new_files:
  550. f_is_owned = False
  551. for git_pat, owned in patrn2files.items():
  552. logging.debug("Scanning %s for %s", git_pat, newf)
  553. if newf in owned:
  554. logging.info("%s matches new file %s", git_pat, newf)
  555. f_is_owned = True
  556. # Unlike github, we don't care about finding any
  557. # more specific owner.
  558. break
  559. if not f_is_owned:
  560. new_not_owned.append(newf)
  561. if new_not_owned:
  562. self.add_failure("New files added that are not covered in "
  563. "CODEOWNERS:\n\n" + "\n".join(new_not_owned) +
  564. "\n\nPlease add one or more entries in the "
  565. "CODEOWNERS file to cover those files")
  566. class Nits(ComplianceTest):
  567. """
  568. Checks various nits in added/modified files. Doesn't check stuff that's
  569. already covered by e.g. checkpatch.pl and pylint.
  570. """
  571. name = "Nits"
  572. doc = "See https://docs.zephyrproject.org/latest/contribute/#coding-style for more details."
  573. path_hint = "<git-top>"
  574. def run(self):
  575. # Loop through added/modified files
  576. for fname in git("diff", "--name-only", "--diff-filter=d",
  577. COMMIT_RANGE).splitlines():
  578. if "Kconfig" in fname:
  579. self.check_kconfig_header(fname)
  580. self.check_redundant_zephyr_source(fname)
  581. if fname.startswith("dts/bindings/"):
  582. self.check_redundant_document_separator(fname)
  583. if fname.endswith((".c", ".conf", ".cpp", ".dts", ".overlay",
  584. ".h", ".ld", ".py", ".rst", ".txt", ".yaml",
  585. ".yml")) or \
  586. "Kconfig" in fname or \
  587. "defconfig" in fname or \
  588. fname == "README":
  589. self.check_source_file(fname)
  590. def check_kconfig_header(self, fname):
  591. # Checks for a spammy copy-pasted header format
  592. with open(os.path.join(GIT_TOP, fname), encoding="utf-8") as f:
  593. contents = f.read()
  594. # 'Kconfig - yada yada' has a copy-pasted redundant filename at the
  595. # top. This probably means all of the header was copy-pasted.
  596. if re.match(r"\s*#\s*(K|k)config[\w.-]*\s*-", contents):
  597. self.add_failure("""
  598. Please use this format for the header in '{}' (see
  599. https://docs.zephyrproject.org/latest/guides/kconfig/index.html#header-comments-and-other-nits):
  600. # <Overview of symbols defined in the file, preferably in plain English>
  601. (Blank line)
  602. # Copyright (c) 2019 ...
  603. # SPDX-License-Identifier: <License>
  604. (Blank line)
  605. (Kconfig definitions)
  606. Skip the "Kconfig - " part of the first line, since it's clear that the comment
  607. is about Kconfig from context. The "# Kconfig - " is what triggers this
  608. failure.
  609. """.format(fname))
  610. def check_redundant_zephyr_source(self, fname):
  611. # Checks for 'source "$(ZEPHYR_BASE)/Kconfig[.zephyr]"', which can be
  612. # be simplified to 'source "Kconfig[.zephyr]"'
  613. with open(os.path.join(GIT_TOP, fname), encoding="utf-8") as f:
  614. # Look for e.g. rsource as well, for completeness
  615. match = re.search(
  616. r'^\s*(?:o|r|or)?source\s*"\$\(?ZEPHYR_BASE\)?/(Kconfig(?:\.zephyr)?)"',
  617. f.read(), re.MULTILINE)
  618. if match:
  619. self.add_failure("""
  620. Redundant 'source "$(ZEPHYR_BASE)/{0}" in '{1}'. Just do 'source "{0}"'
  621. instead. The $srctree environment variable already points to the Zephyr root,
  622. and all 'source's are relative to it.""".format(match.group(1), fname))
  623. def check_redundant_document_separator(self, fname):
  624. # Looks for redundant '...' document separators in bindings
  625. with open(os.path.join(GIT_TOP, fname), encoding="utf-8") as f:
  626. if re.search(r"^\.\.\.", f.read(), re.MULTILINE):
  627. self.add_failure(f"""\
  628. Redundant '...' document separator in {fname}. Binding YAML files are never
  629. concatenated together, so no document separators are needed.""")
  630. def check_source_file(self, fname):
  631. # Generic nits related to various source files
  632. with open(os.path.join(GIT_TOP, fname), encoding="utf-8") as f:
  633. contents = f.read()
  634. if not contents.endswith("\n"):
  635. self.add_failure("Missing newline at end of '{}'. Check your text "
  636. "editor settings.".format(fname))
  637. if contents.startswith("\n"):
  638. self.add_failure("Please remove blank lines at start of '{}'"
  639. .format(fname))
  640. if contents.endswith("\n\n"):
  641. self.add_failure("Please remove blank lines at end of '{}'"
  642. .format(fname))
  643. class GitLint(ComplianceTest):
  644. """
  645. Runs gitlint on the commits and finds issues with style and syntax
  646. """
  647. name = "Gitlint"
  648. doc = "See https://docs.zephyrproject.org/latest/contribute/#commit-guidelines for more details"
  649. path_hint = "<git-top>"
  650. def run(self):
  651. # By default gitlint looks for .gitlint configuration only in
  652. # the current directory
  653. proc = subprocess.Popen('gitlint --commits ' + COMMIT_RANGE,
  654. stdout=subprocess.PIPE, stderr=subprocess.STDOUT,
  655. shell=True, cwd=GIT_TOP)
  656. msg = ""
  657. if proc.wait() != 0:
  658. msg = proc.stdout.read()
  659. if msg != "":
  660. self.add_failure(msg.decode("utf-8"))
  661. class PyLint(ComplianceTest):
  662. """
  663. Runs pylint on all .py files, with a limited set of checks enabled. The
  664. configuration is in the pylintrc file.
  665. """
  666. name = "pylint"
  667. doc = "See https://www.pylint.org/ for more details"
  668. path_hint = "<git-top>"
  669. def run(self):
  670. # Path to pylint configuration file
  671. pylintrc = os.path.abspath(os.path.join(os.path.dirname(__file__),
  672. "pylintrc"))
  673. # List of files added/modified by the commit(s).
  674. files = git(
  675. "diff", "--name-only", "--diff-filter=d", COMMIT_RANGE, "--",
  676. # Skip to work around crash in pylint 2.2.2:
  677. # https://github.com/PyCQA/pylint/issues/2906
  678. ":!boards/xtensa/intel_s1000_crb/support/create_board_img.py") \
  679. .splitlines()
  680. # Filter out everything but Python files. Keep filenames
  681. # relative (to GIT_TOP) to stay farther from any command line
  682. # limit.
  683. py_files = filter_py(GIT_TOP, files)
  684. if not py_files:
  685. return
  686. pylintcmd = ["pylint", "--rcfile=" + pylintrc] + py_files
  687. logger.info(cmd2str(pylintcmd))
  688. try:
  689. # Run pylint on added/modified Python files
  690. process = subprocess.Popen(
  691. pylintcmd,
  692. stdout=subprocess.PIPE,
  693. stderr=subprocess.PIPE,
  694. cwd=GIT_TOP)
  695. except OSError as e:
  696. self.error(f"Failed to run {cmd2str(pylintcmd)}: {e}")
  697. stdout, stderr = process.communicate()
  698. if process.returncode or stderr:
  699. # Issues found, or a problem with pylint itself
  700. self.add_failure(stdout.decode("utf-8") + stderr.decode("utf-8"))
  701. def filter_py(root, fnames):
  702. # PyLint check helper. Returns all Python script filenames among the
  703. # filenames in 'fnames', relative to directory 'root'.
  704. #
  705. # Uses the python-magic library, so that we can detect Python
  706. # files that don't end in .py as well. python-magic is a frontend
  707. # to libmagic, which is also used by 'file'.
  708. #
  709. # The extra os.path.isfile() is necessary because git includes
  710. # submodule directories in its output.
  711. return [fname for fname in fnames
  712. if os.path.isfile(os.path.join(root, fname)) and
  713. (fname.endswith(".py") or
  714. magic.from_file(os.path.join(root, fname),
  715. mime=True) == "text/x-python")]
  716. class Identity(ComplianceTest):
  717. """
  718. Checks if Emails of author and signed-off messages are consistent.
  719. """
  720. name = "Identity"
  721. doc = "See https://docs.zephyrproject.org/latest/contribute/#commit-guidelines for more details"
  722. # git rev-list and git log don't depend on the current (sub)directory
  723. # unless explicited
  724. path_hint = "<git-top>"
  725. def run(self):
  726. for shaidx in get_shas(COMMIT_RANGE):
  727. commit = git("log", "--decorate=short", "-n 1", shaidx)
  728. signed = []
  729. author = ""
  730. sha = ""
  731. parsed_addr = None
  732. for line in commit.split("\n"):
  733. match = re.search(r"^commit\s([^\s]*)", line)
  734. if match:
  735. sha = match.group(1)
  736. match = re.search(r"^Author:\s(.*)", line)
  737. if match:
  738. author = match.group(1)
  739. parsed_addr = parseaddr(author)
  740. match = re.search(r"signed-off-by:\s(.*)", line, re.IGNORECASE)
  741. if match:
  742. signed.append(match.group(1))
  743. error1 = "%s: author email (%s) needs to match one of the signed-off-by entries." % (
  744. sha, author)
  745. error2 = "%s: author email (%s) does not follow the syntax: First Last <email>." % (
  746. sha, author)
  747. error3 = "%s: author email (%s) must be a real email and cannot end in @users.noreply.github.com" % (
  748. sha, author)
  749. failure = None
  750. if author not in signed:
  751. failure = error1
  752. if not parsed_addr or len(parsed_addr[0].split(" ")) < 2:
  753. if not failure:
  754. failure = error2
  755. else:
  756. failure = failure + "\n" + error2
  757. elif parsed_addr[1].endswith("@users.noreply.github.com"):
  758. failure = error3
  759. if failure:
  760. self.add_failure(failure)
  761. def init_logs(cli_arg):
  762. # Initializes logging
  763. # TODO: there may be a shorter version thanks to:
  764. # logging.basicConfig(...)
  765. global logger
  766. level = os.environ.get('LOG_LEVEL', "WARN")
  767. console = logging.StreamHandler()
  768. console.setFormatter(logging.Formatter('%(levelname)-8s: %(message)s'))
  769. logger = logging.getLogger('')
  770. logger.addHandler(console)
  771. logger.setLevel(cli_arg if cli_arg else level)
  772. logging.info("Log init completed, level=%s",
  773. logging.getLevelName(logger.getEffectiveLevel()))
  774. def parse_args():
  775. parser = argparse.ArgumentParser(
  776. description="Check for coding style and documentation warnings.")
  777. parser.add_argument('-c', '--commits', default="HEAD~1..",
  778. help='''Commit range in the form: a..[b], default is
  779. HEAD~1..HEAD''')
  780. parser.add_argument('-r', '--repo', default=None,
  781. help="GitHub repository")
  782. parser.add_argument('-p', '--pull-request', default=0, type=int,
  783. help="Pull request number")
  784. parser.add_argument('-S', '--sha', default=None, help="Commit SHA")
  785. parser.add_argument('-o', '--output', default="compliance.xml",
  786. help='''Name of outfile in JUnit format,
  787. default is ./compliance.xml''')
  788. parser.add_argument('-l', '--list', action="store_true",
  789. help="List all checks and exit")
  790. parser.add_argument("-v", "--loglevel", help="python logging level")
  791. parser.add_argument('-m', '--module', action="append", default=[],
  792. help="Checks to run. All checks by default.")
  793. parser.add_argument('-e', '--exclude-module', action="append", default=[],
  794. help="Do not run the specified checks")
  795. parser.add_argument('-j', '--previous-run', default=None,
  796. help='''Pre-load JUnit results in XML format
  797. from a previous run and combine with new results.''')
  798. return parser.parse_args()
  799. def _main(args):
  800. # The "real" main(), which is wrapped to catch exceptions and report them
  801. # to GitHub. Returns the number of test failures.
  802. # The absolute path of the top-level git directory. Initialize it here so
  803. # that issues running Git can be reported to GitHub.
  804. global GIT_TOP
  805. GIT_TOP = git("rev-parse", "--show-toplevel")
  806. # The commit range passed in --commit, e.g. "HEAD~3"
  807. global COMMIT_RANGE
  808. COMMIT_RANGE = args.commits
  809. init_logs(args.loglevel)
  810. if args.list:
  811. for testcase in ComplianceTest.__subclasses__():
  812. print(testcase.name)
  813. return 0
  814. # Load saved test results from an earlier run, if requested
  815. if args.previous_run:
  816. if not os.path.exists(args.previous_run):
  817. # This probably means that an earlier pass had an internal error
  818. # (the script is currently run multiple times by the ci-pipelines
  819. # repo). Since that earlier pass might've posted an error to
  820. # GitHub, avoid generating a GitHub comment here, by avoiding
  821. # sys.exit() (which gets caught in main()).
  822. print("error: '{}' not found".format(args.previous_run),
  823. file=sys.stderr)
  824. return 1
  825. logging.info("Loading previous results from " + args.previous_run)
  826. for loaded_suite in JUnitXml.fromfile(args.previous_run):
  827. suite = loaded_suite
  828. break
  829. else:
  830. suite = TestSuite("Compliance")
  831. for testcase in ComplianceTest.__subclasses__():
  832. # "Modules" and "testcases" are the same thing. Better flags would have
  833. # been --tests and --exclude-tests or the like, but it's awkward to
  834. # change now.
  835. if args.module and testcase.name not in args.module:
  836. continue
  837. if testcase.name in args.exclude_module:
  838. print("Skipping " + testcase.name)
  839. continue
  840. test = testcase()
  841. try:
  842. print(f"Running {test.name:16} tests in "
  843. f"{GIT_TOP if test.path_hint == '<git-top>' else test.path_hint} ...")
  844. test.run()
  845. except EndTest:
  846. pass
  847. suite.add_testcase(test.case)
  848. xml = JUnitXml()
  849. xml.add_testsuite(suite)
  850. xml.update_statistics()
  851. xml.write(args.output, pretty=True)
  852. failed_cases = []
  853. name2doc = {testcase.name: testcase.doc
  854. for testcase in ComplianceTest.__subclasses__()}
  855. for case in suite:
  856. if case.result:
  857. if case.result.type == 'skipped':
  858. logging.warning("Skipped %s, %s", case.name, case.result.message)
  859. else:
  860. failed_cases.append(case)
  861. else:
  862. # Some checks like codeowners can produce no .result
  863. logging.info("No JUnit result for %s", case.name)
  864. n_fails = len(failed_cases)
  865. if n_fails:
  866. print("{} checks failed".format(n_fails))
  867. for case in failed_cases:
  868. # not clear why junitxml doesn't clearly expose the most
  869. # important part of its underlying etree.Element
  870. errmsg = case.result._elem.text
  871. logging.error("Test %s failed: %s", case.name,
  872. errmsg.strip() if errmsg else case.result.message)
  873. with open(f"{case.name}.txt", "w") as f:
  874. docs = name2doc.get(case.name)
  875. f.write(f"{docs}\n\n")
  876. f.write(errmsg.strip() if errmsg else case.result.message)
  877. print("\nComplete results in " + args.output)
  878. return n_fails
  879. def main():
  880. args = parse_args()
  881. try:
  882. n_fails = _main(args)
  883. except BaseException:
  884. # Catch BaseException instead of Exception to include stuff like
  885. # SystemExit (raised by sys.exit())
  886. print("Python exception in `{}`:\n\n"
  887. "```\n{}\n```".format(__file__, traceback.format_exc()))
  888. raise
  889. sys.exit(n_fails)
  890. def cmd2str(cmd):
  891. # Formats the command-line arguments in the iterable 'cmd' into a string,
  892. # for error messages and the like
  893. return " ".join(shlex.quote(word) for word in cmd)
  894. def err(msg):
  895. cmd = sys.argv[0] # Empty if missing
  896. if cmd:
  897. cmd += ": "
  898. sys.exit(cmd + "error: " + msg)
  899. if __name__ == "__main__":
  900. main()