lint.py 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341
  1. #!/usr/bin/env python3
  2. # Copyright (c) 2019 Nordic Semiconductor ASA
  3. # SPDX-License-Identifier: Apache-2.0
  4. """
  5. Linter for the Zephyr Kconfig files. Pass --help to see
  6. available checks. By default, all checks are enabled.
  7. Some of the checks rely on heuristics and can get tripped up
  8. by things like preprocessor magic, so manual checking is
  9. still needed. 'git grep' is handy.
  10. Requires west, because the checks need to see Kconfig files
  11. and source code from modules.
  12. """
  13. import argparse
  14. import os
  15. import re
  16. import shlex
  17. import subprocess
  18. import sys
  19. import tempfile
  20. TOP_DIR = os.path.join(os.path.dirname(__file__), "..", "..")
  21. sys.path.insert(0, os.path.join(TOP_DIR, "scripts", "kconfig"))
  22. import kconfiglib
  23. def main():
  24. init_kconfig()
  25. args = parse_args()
  26. if args.checks:
  27. checks = args.checks
  28. else:
  29. # Run all checks if no checks were specified
  30. checks = (check_always_n,
  31. check_unused,
  32. check_pointless_menuconfigs,
  33. check_defconfig_only_definition,
  34. check_missing_config_prefix)
  35. first = True
  36. for check in checks:
  37. if not first:
  38. print()
  39. first = False
  40. check()
  41. def parse_args():
  42. # args.checks is set to a list of check functions to run
  43. parser = argparse.ArgumentParser(
  44. formatter_class=argparse.RawTextHelpFormatter,
  45. description=__doc__)
  46. parser.add_argument(
  47. "-n", "--check-always-n",
  48. action="append_const", dest="checks", const=check_always_n,
  49. help="""\
  50. List symbols that can never be anything but n/empty. These
  51. are detected as symbols with no prompt or defaults that
  52. aren't selected or implied.
  53. """)
  54. parser.add_argument(
  55. "-u", "--check-unused",
  56. action="append_const", dest="checks", const=check_unused,
  57. help="""\
  58. List symbols that might be unused.
  59. Heuristic:
  60. - Isn't referenced in Kconfig
  61. - Isn't referenced as CONFIG_<NAME> outside Kconfig
  62. (besides possibly as CONFIG_<NAME>=<VALUE>)
  63. - Isn't selecting/implying other symbols
  64. - Isn't a choice symbol
  65. C preprocessor magic can trip up this check.""")
  66. parser.add_argument(
  67. "-m", "--check-pointless-menuconfigs",
  68. action="append_const", dest="checks", const=check_pointless_menuconfigs,
  69. help="""\
  70. List symbols defined with 'menuconfig' where the menu is
  71. empty due to the symbol not being followed by stuff that
  72. depends on it""")
  73. parser.add_argument(
  74. "-d", "--check-defconfig-only-definition",
  75. action="append_const", dest="checks", const=check_defconfig_only_definition,
  76. help="""\
  77. List symbols that are only defined in Kconfig.defconfig
  78. files. A common base definition should probably be added
  79. somewhere for such symbols, and the type declaration ('int',
  80. 'hex', etc.) removed from Kconfig.defconfig.""")
  81. parser.add_argument(
  82. "-p", "--check-missing-config-prefix",
  83. action="append_const", dest="checks", const=check_missing_config_prefix,
  84. help="""\
  85. Look for references like
  86. #if MACRO
  87. #if(n)def MACRO
  88. defined(MACRO)
  89. IS_ENABLED(MACRO)
  90. where MACRO is the name of a defined Kconfig symbol but
  91. doesn't have a CONFIG_ prefix. Could be a typo.
  92. Macros that are #define'd somewhere are not flagged.""")
  93. return parser.parse_args()
  94. def check_always_n():
  95. print_header("Symbols that can't be anything but n/empty")
  96. for sym in kconf.unique_defined_syms:
  97. if not has_prompt(sym) and not is_selected_or_implied(sym) and \
  98. not has_defaults(sym):
  99. print(name_and_locs(sym))
  100. def check_unused():
  101. print_header("Symbols that look unused")
  102. referenced = referenced_sym_names()
  103. for sym in kconf.unique_defined_syms:
  104. if not is_selecting_or_implying(sym) and not sym.choice and \
  105. sym.name not in referenced:
  106. print(name_and_locs(sym))
  107. def check_pointless_menuconfigs():
  108. print_header("menuconfig symbols with empty menus")
  109. for node in kconf.node_iter():
  110. if node.is_menuconfig and not node.list and \
  111. isinstance(node.item, kconfiglib.Symbol):
  112. print("{0.item.name:40} {0.filename}:{0.linenr}".format(node))
  113. def check_defconfig_only_definition():
  114. print_header("Symbols only defined in Kconfig.defconfig files")
  115. for sym in kconf.unique_defined_syms:
  116. if all("defconfig" in node.filename for node in sym.nodes):
  117. print(name_and_locs(sym))
  118. def check_missing_config_prefix():
  119. print_header("Symbol references that might be missing a CONFIG_ prefix")
  120. # Paths to modules
  121. modpaths = run(("west", "list", "-f{abspath}")).splitlines()
  122. # Gather #define'd macros that might overlap with symbol names, so that
  123. # they don't trigger false positives
  124. defined = set()
  125. for modpath in modpaths:
  126. regex = r"#\s*define\s+([A-Z0-9_]+)\b"
  127. defines = run(("git", "grep", "--extended-regexp", regex),
  128. cwd=modpath, check=False)
  129. # Could pass --only-matching to git grep as well, but it was added
  130. # pretty recently (2018)
  131. defined.update(re.findall(regex, defines))
  132. # Filter out symbols whose names are #define'd too. Preserve definition
  133. # order to make the output consistent.
  134. syms = [sym for sym in kconf.unique_defined_syms
  135. if sym.name not in defined]
  136. # grep for symbol references in #ifdef/defined() that are missing a CONFIG_
  137. # prefix. Work around an "argument list too long" error from 'git grep' by
  138. # checking symbols in batches.
  139. for batch in split_list(syms, 200):
  140. # grep for '#if((n)def) <symbol>', 'defined(<symbol>', and
  141. # 'IS_ENABLED(<symbol>', with a missing CONFIG_ prefix
  142. regex = r"(?:#\s*if(?:n?def)\s+|\bdefined\s*\(\s*|IS_ENABLED\(\s*)(?:" + \
  143. "|".join(sym.name for sym in batch) + r")\b"
  144. cmd = ("git", "grep", "--line-number", "-I", "--perl-regexp", regex)
  145. for modpath in modpaths:
  146. print(run(cmd, cwd=modpath, check=False), end="")
  147. def split_list(lst, batch_size):
  148. # check_missing_config_prefix() helper generator that splits a list into
  149. # equal-sized batches (possibly with a shorter batch at the end)
  150. for i in range(0, len(lst), batch_size):
  151. yield lst[i:i + batch_size]
  152. def print_header(s):
  153. print(s + "\n" + len(s)*"=")
  154. def init_kconfig():
  155. global kconf
  156. os.environ.update(
  157. srctree=TOP_DIR,
  158. CMAKE_BINARY_DIR=modules_file_dir(),
  159. KCONFIG_DOC_MODE="1",
  160. ZEPHYR_BASE=TOP_DIR,
  161. SOC_DIR="soc",
  162. ARCH_DIR="arch",
  163. BOARD_DIR="boards/*/*",
  164. ARCH="*")
  165. kconf = kconfiglib.Kconfig(suppress_traceback=True)
  166. def modules_file_dir():
  167. # Creates Kconfig.modules in a temporary directory and returns the path to
  168. # the directory. Kconfig.modules brings in Kconfig files from modules.
  169. tmpdir = tempfile.mkdtemp()
  170. run((os.path.join("scripts", "zephyr_module.py"),
  171. "--kconfig-out", os.path.join(tmpdir, "Kconfig.modules")))
  172. return tmpdir
  173. def referenced_sym_names():
  174. # Returns the names of all symbols referenced inside and outside the
  175. # Kconfig files (that we can detect), without any "CONFIG_" prefix
  176. return referenced_in_kconfig() | referenced_outside_kconfig()
  177. def referenced_in_kconfig():
  178. # Returns the names of all symbols referenced inside the Kconfig files
  179. return {ref.name
  180. for node in kconf.node_iter()
  181. for ref in node.referenced
  182. if isinstance(ref, kconfiglib.Symbol)}
  183. def referenced_outside_kconfig():
  184. # Returns the names of all symbols referenced outside the Kconfig files
  185. regex = r"\bCONFIG_[A-Z0-9_]+\b"
  186. res = set()
  187. # 'git grep' all modules
  188. for modpath in run(("west", "list", "-f{abspath}")).splitlines():
  189. for line in run(("git", "grep", "-h", "-I", "--extended-regexp", regex),
  190. cwd=modpath).splitlines():
  191. # Don't record lines starting with "CONFIG_FOO=" or "# CONFIG_FOO="
  192. # as references, so that symbols that are only assigned in .config
  193. # files are not included
  194. if re.match(r"[\s#]*CONFIG_[A-Z0-9_]+=.*", line):
  195. continue
  196. # Could pass --only-matching to git grep as well, but it was added
  197. # pretty recently (2018)
  198. for match in re.findall(regex, line):
  199. res.add(match[7:]) # Strip "CONFIG_"
  200. return res
  201. def has_prompt(sym):
  202. return any(node.prompt for node in sym.nodes)
  203. def is_selected_or_implied(sym):
  204. return sym.rev_dep is not kconf.n or sym.weak_rev_dep is not kconf.n
  205. def has_defaults(sym):
  206. return bool(sym.defaults)
  207. def is_selecting_or_implying(sym):
  208. return sym.selects or sym.implies
  209. def name_and_locs(sym):
  210. # Returns a string with the name and definition location(s) for 'sym'
  211. return "{:40} {}".format(
  212. sym.name,
  213. ", ".join("{0.filename}:{0.linenr}".format(node) for node in sym.nodes))
  214. def run(cmd, cwd=TOP_DIR, check=True):
  215. # Runs 'cmd' with subprocess, returning the decoded stdout output. 'cwd' is
  216. # the working directory. It defaults to the top-level Zephyr directory.
  217. # Exits with an error if the command exits with a non-zero return code if
  218. # 'check' is True.
  219. cmd_s = " ".join(shlex.quote(word) for word in cmd)
  220. try:
  221. process = subprocess.Popen(
  222. cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE, cwd=cwd)
  223. except OSError as e:
  224. err("Failed to run '{}': {}".format(cmd_s, e))
  225. stdout, stderr = process.communicate()
  226. # errors="ignore" temporarily works around
  227. # https://github.com/zephyrproject-rtos/esp-idf/pull/2
  228. stdout = stdout.decode("utf-8", errors="ignore")
  229. stderr = stderr.decode("utf-8")
  230. if check and process.returncode:
  231. err("""\
  232. '{}' exited with status {}.
  233. ===stdout===
  234. {}
  235. ===stderr===
  236. {}""".format(cmd_s, process.returncode, stdout, stderr))
  237. if stderr:
  238. warn("'{}' wrote to stderr:\n{}".format(cmd_s, stderr))
  239. return stdout
  240. def err(msg):
  241. sys.exit(executable() + "error: " + msg)
  242. def warn(msg):
  243. print(executable() + "warning: " + msg, file=sys.stderr)
  244. def executable():
  245. cmd = sys.argv[0] # Empty string if missing
  246. return cmd + ": " if cmd else ""
  247. if __name__ == "__main__":
  248. main()