kconfig.py 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264
  1. #!/usr/bin/env python3
  2. # Writes/updates the zephyr/.config configuration file by merging configuration
  3. # files passed as arguments, e.g. board *_defconfig and application prj.conf
  4. # files.
  5. #
  6. # When fragments haven't changed, zephyr/.config is both the input and the
  7. # output, which just updates it. This is handled in the CMake files.
  8. #
  9. # Also does various checks (most via Kconfiglib warnings).
  10. import argparse
  11. import os
  12. import sys
  13. import textwrap
  14. # Zephyr doesn't use tristate symbols. They're supported here just to make the
  15. # script a bit more generic.
  16. from kconfiglib import Kconfig, split_expr, expr_value, expr_str, BOOL, \
  17. TRISTATE, TRI_TO_STR, AND
  18. def main():
  19. args = parse_args()
  20. if args.zephyr_base:
  21. os.environ['ZEPHYR_BASE'] = args.zephyr_base
  22. print("Parsing " + args.kconfig_file)
  23. kconf = Kconfig(args.kconfig_file, warn_to_stderr=False,
  24. suppress_traceback=True)
  25. if args.handwritten_input_configs:
  26. # Warn for assignments to undefined symbols, but only for handwritten
  27. # fragments, to avoid warnings-turned-errors when using an old
  28. # configuration file together with updated Kconfig files
  29. kconf.warn_assign_undef = True
  30. # prj.conf may override settings from the board configuration, so
  31. # disable warnings about symbols being assigned more than once
  32. kconf.warn_assign_override = False
  33. kconf.warn_assign_redun = False
  34. # Load configuration files
  35. print(kconf.load_config(args.configs_in[0]))
  36. for config in args.configs_in[1:]:
  37. # replace=False creates a merged configuration
  38. print(kconf.load_config(config, replace=False))
  39. if args.handwritten_input_configs:
  40. # Check that there are no assignments to promptless symbols, which
  41. # have no effect.
  42. #
  43. # This only makes sense when loading handwritten fragments and not when
  44. # loading zephyr/.config, because zephyr/.config is configuration
  45. # output and also assigns promptless symbols.
  46. check_no_promptless_assign(kconf)
  47. # Print warnings for symbols that didn't get the assigned value. Only
  48. # do this for handwritten input too, to avoid likely unhelpful warnings
  49. # when using an old configuration and updating Kconfig files.
  50. check_assigned_sym_values(kconf)
  51. check_assigned_choice_values(kconf)
  52. # Hack: Force all symbols to be evaluated, to catch warnings generated
  53. # during evaluation. Wait till the end to write the actual output files, so
  54. # that we don't generate any output if there are warnings-turned-errors.
  55. #
  56. # Kconfiglib caches calculated symbol values internally, so this is still
  57. # fast.
  58. kconf.write_config(os.devnull)
  59. if kconf.warnings:
  60. # Put a blank line between warnings to make them easier to read
  61. for warning in kconf.warnings:
  62. print("\n" + warning, file=sys.stderr)
  63. # Turn all warnings into errors, so that e.g. assignments to undefined
  64. # Kconfig symbols become errors.
  65. #
  66. # A warning is generated by this script whenever a symbol gets a
  67. # different value than the one it was assigned. Keep that one as just a
  68. # warning for now.
  69. err("Aborting due to Kconfig warnings")
  70. # Write the merged configuration and the C header
  71. print(kconf.write_config(args.config_out))
  72. print(kconf.write_autoconf(args.header_out))
  73. # Write the list of parsed Kconfig files to a file
  74. write_kconfig_filenames(kconf, args.kconfig_list_out)
  75. def check_no_promptless_assign(kconf):
  76. # Checks that no promptless symbols are assigned
  77. for sym in kconf.unique_defined_syms:
  78. if sym.user_value is not None and promptless(sym):
  79. err(f"""\
  80. {sym.name_and_loc} is assigned in a configuration file, but is not directly
  81. user-configurable (has no prompt). It gets its value indirectly from other
  82. symbols. """ + SYM_INFO_HINT.format(sym))
  83. def check_assigned_sym_values(kconf):
  84. # Verifies that the values assigned to symbols "took" (matches the value
  85. # the symbols actually got), printing warnings otherwise. Choice symbols
  86. # are checked separately, in check_assigned_choice_values().
  87. for sym in kconf.unique_defined_syms:
  88. if sym.choice:
  89. continue
  90. user_value = sym.user_value
  91. if user_value is None:
  92. continue
  93. # Tristate values are represented as 0, 1, 2. Having them as "n", "m",
  94. # "y" is more convenient here, so convert.
  95. if sym.type in (BOOL, TRISTATE):
  96. user_value = TRI_TO_STR[user_value]
  97. if user_value != sym.str_value:
  98. msg = f"{sym.name_and_loc} was assigned the value '{user_value}'" \
  99. f" but got the value '{sym.str_value}'. "
  100. # List any unsatisfied 'depends on' dependencies in the warning
  101. mdeps = missing_deps(sym)
  102. if mdeps:
  103. expr_strs = []
  104. for expr in mdeps:
  105. estr = expr_str(expr)
  106. if isinstance(expr, tuple):
  107. # Add () around dependencies that aren't plain symbols.
  108. # Gives '(FOO || BAR) (=n)' instead of
  109. # 'FOO || BAR (=n)', which might be clearer.
  110. estr = f"({estr})"
  111. expr_strs.append(f"{estr} "
  112. f"(={TRI_TO_STR[expr_value(expr)]})")
  113. msg += "Check these unsatisfied dependencies: " + \
  114. ", ".join(expr_strs) + ". "
  115. warn(msg + SYM_INFO_HINT.format(sym))
  116. def missing_deps(sym):
  117. # check_assigned_sym_values() helper for finding unsatisfied dependencies.
  118. #
  119. # Given direct dependencies
  120. #
  121. # depends on <expr> && <expr> && ... && <expr>
  122. #
  123. # on 'sym' (which can also come from e.g. a surrounding 'if'), returns a
  124. # list of all <expr>s with a value less than the value 'sym' was assigned
  125. # ("less" instead of "not equal" just to be general and handle tristates,
  126. # even though Zephyr doesn't use them).
  127. #
  128. # For string/int/hex symbols, just looks for <expr> = n.
  129. #
  130. # Note that <expr>s can be something more complicated than just a symbol,
  131. # like 'FOO || BAR' or 'FOO = "string"'.
  132. deps = split_expr(sym.direct_dep, AND)
  133. if sym.type in (BOOL, TRISTATE):
  134. return [dep for dep in deps if expr_value(dep) < sym.user_value]
  135. # string/int/hex
  136. return [dep for dep in deps if expr_value(dep) == 0]
  137. def check_assigned_choice_values(kconf):
  138. # Verifies that any choice symbols that were selected (by setting them to
  139. # y) ended up as the selection, printing warnings otherwise.
  140. #
  141. # We check choice symbols separately to avoid warnings when two different
  142. # choice symbols within the same choice are set to y. This might happen if
  143. # a choice selection from a board defconfig is overridden in a prj.conf,
  144. # for example. The last choice symbol set to y becomes the selection (and
  145. # all other choice symbols get the value n).
  146. #
  147. # Without special-casing choices, we'd detect that the first symbol set to
  148. # y ended up as n, and print a spurious warning.
  149. for choice in kconf.unique_choices:
  150. if choice.user_selection and \
  151. choice.user_selection is not choice.selection:
  152. warn(f"""\
  153. The choice symbol {choice.user_selection.name_and_loc} was selected (set =y),
  154. but {choice.selection.name_and_loc if choice.selection else "no symbol"} ended
  155. up as the choice selection. """ + SYM_INFO_HINT.format(choice.user_selection))
  156. # Hint on where to find symbol information. Used like
  157. # SYM_INFO_HINT.format(sym).
  158. SYM_INFO_HINT = """\
  159. See http://docs.zephyrproject.org/latest/reference/kconfig/CONFIG_{0.name}.html
  160. and/or look up {0.name} in the menuconfig/guiconfig interface. The Application
  161. Development Primer, Setting Configuration Values, and Kconfig - Tips and Best
  162. Practices sections of the manual might be helpful too.\
  163. """
  164. def promptless(sym):
  165. # Returns True if 'sym' has no prompt. Since the symbol might be defined in
  166. # multiple locations, we need to check all locations.
  167. return not any(node.prompt for node in sym.nodes)
  168. def write_kconfig_filenames(kconf, kconfig_list_path):
  169. # Writes a sorted list with the absolute paths of all parsed Kconfig files
  170. # to 'kconfig_list_path'. The paths are realpath()'d, and duplicates are
  171. # removed. This file is used by CMake to look for changed Kconfig files. It
  172. # needs to be deterministic.
  173. with open(kconfig_list_path, 'w') as out:
  174. for path in sorted({os.path.realpath(os.path.join(kconf.srctree, path))
  175. for path in kconf.kconfig_filenames}):
  176. print(path, file=out)
  177. def parse_args():
  178. parser = argparse.ArgumentParser()
  179. parser.add_argument("--handwritten-input-configs",
  180. action="store_true",
  181. help="Assume the input configuration fragments are "
  182. "handwritten fragments and do additional checks "
  183. "on them, like no promptless symbols being "
  184. "assigned")
  185. parser.add_argument("--zephyr-base",
  186. help="Path to current Zephyr installation")
  187. parser.add_argument("kconfig_file",
  188. help="Top-level Kconfig file")
  189. parser.add_argument("config_out",
  190. help="Output configuration file")
  191. parser.add_argument("header_out",
  192. help="Output header file")
  193. parser.add_argument("kconfig_list_out",
  194. help="Output file for list of parsed Kconfig files")
  195. parser.add_argument("configs_in",
  196. nargs="+",
  197. help="Input configuration fragments. Will be merged "
  198. "together.")
  199. return parser.parse_args()
  200. def warn(msg):
  201. # Use a large fill() width to try to avoid linebreaks in the symbol
  202. # reference link, and add some extra newlines to set the message off from
  203. # surrounding text (this usually gets printed as part of spammy CMake
  204. # output)
  205. print("\n" + textwrap.fill("warning: " + msg, 100) + "\n", file=sys.stderr)
  206. def err(msg):
  207. sys.exit("\n" + textwrap.fill("error: " + msg, 100) + "\n")
  208. if __name__ == "__main__":
  209. main()