zephyr_module.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2019, Nordic Semiconductor ASA
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. '''Tool for parsing a list of projects to determine if they are Zephyr
  7. projects. If no projects are given then the output from `west list` will be
  8. used as project list.
  9. Include file is generated for Kconfig using --kconfig-out.
  10. A <name>:<path> text file is generated for use with CMake using --cmake-out.
  11. Using --twister-out <filename> an argument file for twister script will
  12. be generated which would point to test and sample roots available in modules
  13. that can be included during a twister run. This allows testing code
  14. maintained in modules in addition to what is available in the main Zephyr tree.
  15. '''
  16. import argparse
  17. import os
  18. import re
  19. import sys
  20. import yaml
  21. import pykwalify.core
  22. from pathlib import Path, PurePath
  23. from collections import namedtuple
  24. METADATA_SCHEMA = '''
  25. ## A pykwalify schema for basic validation of the structure of a
  26. ## metadata YAML file.
  27. ##
  28. # The zephyr/module.yml file is a simple list of key value pairs to be used by
  29. # the build system.
  30. type: map
  31. mapping:
  32. name:
  33. required: false
  34. type: str
  35. build:
  36. required: false
  37. type: map
  38. mapping:
  39. cmake:
  40. required: false
  41. type: str
  42. kconfig:
  43. required: false
  44. type: str
  45. cmake-ext:
  46. required: false
  47. type: bool
  48. default: false
  49. kconfig-ext:
  50. required: false
  51. type: bool
  52. default: false
  53. depends:
  54. required: false
  55. type: seq
  56. sequence:
  57. - type: str
  58. settings:
  59. required: false
  60. type: map
  61. mapping:
  62. board_root:
  63. required: false
  64. type: str
  65. dts_root:
  66. required: false
  67. type: str
  68. soc_root:
  69. required: false
  70. type: str
  71. arch_root:
  72. required: false
  73. type: str
  74. module_ext_root:
  75. required: false
  76. type: str
  77. tests:
  78. required: false
  79. type: seq
  80. sequence:
  81. - type: str
  82. samples:
  83. required: false
  84. type: seq
  85. sequence:
  86. - type: str
  87. boards:
  88. required: false
  89. type: seq
  90. sequence:
  91. - type: str
  92. '''
  93. schema = yaml.safe_load(METADATA_SCHEMA)
  94. def validate_setting(setting, module_path, filename=None):
  95. if setting is not None:
  96. if filename is not None:
  97. checkfile = os.path.join(module_path, setting, filename)
  98. else:
  99. checkfile = os.path.join(module_path, setting)
  100. if not os.path.isfile(checkfile):
  101. return False
  102. return True
  103. def process_module(module):
  104. module_path = PurePath(module)
  105. module_yml = module_path.joinpath('zephyr/module.yml')
  106. # The input is a module if zephyr/module.yml is a valid yaml file
  107. # or if both zephyr/CMakeLists.txt and zephyr/Kconfig are present.
  108. if Path(module_yml).is_file():
  109. with Path(module_yml).open('r') as f:
  110. meta = yaml.safe_load(f.read())
  111. try:
  112. pykwalify.core.Core(source_data=meta, schema_data=schema)\
  113. .validate()
  114. except pykwalify.errors.SchemaError as e:
  115. sys.exit('ERROR: Malformed "build" section in file: {}\n{}'
  116. .format(module_yml.as_posix(), e))
  117. meta['name'] = meta.get('name', module_path.name)
  118. meta['name-sanitized'] = re.sub('[^a-zA-Z0-9]', '_', meta['name'])
  119. return meta
  120. if Path(module_path.joinpath('zephyr/CMakeLists.txt')).is_file() and \
  121. Path(module_path.joinpath('zephyr/Kconfig')).is_file():
  122. return {'name': module_path.name,
  123. 'name-sanitized': re.sub('[^a-zA-Z0-9]', '_', module_path.name),
  124. 'build': {'cmake': 'zephyr', 'kconfig': 'zephyr/Kconfig'}}
  125. return None
  126. def process_cmake(module, meta):
  127. section = meta.get('build', dict())
  128. module_path = PurePath(module)
  129. module_yml = module_path.joinpath('zephyr/module.yml')
  130. cmake_extern = section.get('cmake-ext', False)
  131. if cmake_extern:
  132. return('\"{}\":\"{}\":\"{}\"\n'
  133. .format(meta['name'],
  134. module_path.as_posix(),
  135. "${ZEPHYR_" + meta['name-sanitized'].upper() + "_CMAKE_DIR}"))
  136. cmake_setting = section.get('cmake', None)
  137. if not validate_setting(cmake_setting, module, 'CMakeLists.txt'):
  138. sys.exit('ERROR: "cmake" key in {} has folder value "{}" which '
  139. 'does not contain a CMakeLists.txt file.'
  140. .format(module_yml.as_posix(), cmake_setting))
  141. cmake_path = os.path.join(module, cmake_setting or 'zephyr')
  142. cmake_file = os.path.join(cmake_path, 'CMakeLists.txt')
  143. if os.path.isfile(cmake_file):
  144. return('\"{}\":\"{}\":\"{}\"\n'
  145. .format(meta['name'],
  146. module_path.as_posix(),
  147. Path(cmake_path).resolve().as_posix()))
  148. else:
  149. return('\"{}\":\"{}\":\"\"\n'
  150. .format(meta['name'],
  151. module_path.as_posix()))
  152. def process_settings(module, meta):
  153. section = meta.get('build', dict())
  154. build_settings = section.get('settings', None)
  155. out_text = ""
  156. if build_settings is not None:
  157. for root in ['board', 'dts', 'soc', 'arch', 'module_ext']:
  158. setting = build_settings.get(root+'_root', None)
  159. if setting is not None:
  160. root_path = PurePath(module) / setting
  161. out_text += f'"{root.upper()}_ROOT":'
  162. out_text += f'"{root_path.as_posix()}"\n'
  163. return out_text
  164. def kconfig_snippet(meta, path, kconfig_file=None):
  165. name = meta['name']
  166. name_sanitized = meta['name-sanitized']
  167. snippet = (f'menu "{name} ({path})"',
  168. f'osource "{kconfig_file.resolve().as_posix()}"' if kconfig_file
  169. else f'osource "$(ZEPHYR_{name_sanitized.upper()}_KCONFIG)"',
  170. f'config ZEPHYR_{name_sanitized.upper()}_MODULE',
  171. ' bool',
  172. ' default y',
  173. 'endmenu\n')
  174. return '\n'.join(snippet)
  175. def process_kconfig(module, meta):
  176. section = meta.get('build', dict())
  177. module_path = PurePath(module)
  178. module_yml = module_path.joinpath('zephyr/module.yml')
  179. kconfig_extern = section.get('kconfig-ext', False)
  180. if kconfig_extern:
  181. return kconfig_snippet(meta, module_path)
  182. kconfig_setting = section.get('kconfig', None)
  183. if not validate_setting(kconfig_setting, module):
  184. sys.exit('ERROR: "kconfig" key in {} has value "{}" which does '
  185. 'not point to a valid Kconfig file.'
  186. .format(module_yml, kconfig_setting))
  187. kconfig_file = os.path.join(module, kconfig_setting or 'zephyr/Kconfig')
  188. if os.path.isfile(kconfig_file):
  189. return kconfig_snippet(meta, module_path, Path(kconfig_file))
  190. else:
  191. return ""
  192. def process_twister(module, meta):
  193. out = ""
  194. tests = meta.get('tests', [])
  195. samples = meta.get('samples', [])
  196. boards = meta.get('boards', [])
  197. for pth in tests + samples:
  198. if pth:
  199. dir = os.path.join(module, pth)
  200. out += '-T\n{}\n'.format(PurePath(os.path.abspath(dir))
  201. .as_posix())
  202. for pth in boards:
  203. if pth:
  204. dir = os.path.join(module, pth)
  205. out += '--board-root\n{}\n'.format(PurePath(os.path.abspath(dir))
  206. .as_posix())
  207. return out
  208. def parse_modules(zephyr_base, modules=None, extra_modules=None):
  209. if modules is None:
  210. # West is imported here, as it is optional
  211. # (and thus maybe not installed)
  212. # if user is providing a specific modules list.
  213. from west.manifest import Manifest
  214. from west.util import WestNotFound
  215. from west.version import __version__ as WestVersion
  216. from packaging import version
  217. try:
  218. manifest = Manifest.from_file()
  219. if version.parse(WestVersion) >= version.parse('0.9.0'):
  220. projects = [p.posixpath for p in manifest.get_projects([])
  221. if manifest.is_active(p)]
  222. else:
  223. projects = [p.posixpath for p in manifest.get_projects([])]
  224. except WestNotFound:
  225. # Only accept WestNotFound, meaning we are not in a west
  226. # workspace. Such setup is allowed, as west may be installed
  227. # but the project is not required to use west.
  228. projects = []
  229. else:
  230. projects = modules.copy()
  231. if extra_modules is None:
  232. extra_modules = []
  233. projects += extra_modules
  234. Module = namedtuple('Module', ['project', 'meta', 'depends'])
  235. # dep_modules is a list of all modules that has an unresolved dependency
  236. dep_modules = []
  237. # start_modules is a list modules with no depends left (no incoming edge)
  238. start_modules = []
  239. # sorted_modules is a topological sorted list of the modules
  240. sorted_modules = []
  241. for project in projects:
  242. # Avoid including Zephyr base project as module.
  243. if project == zephyr_base:
  244. continue
  245. meta = process_module(project)
  246. if meta:
  247. section = meta.get('build', dict())
  248. deps = section.get('depends', [])
  249. if not deps:
  250. start_modules.append(Module(project, meta, []))
  251. else:
  252. dep_modules.append(Module(project, meta, deps))
  253. elif project in extra_modules:
  254. sys.exit(f'{project}, given in ZEPHYR_EXTRA_MODULES, '
  255. 'is not a valid zephyr module')
  256. # This will do a topological sort to ensure the modules are ordered
  257. # according to dependency settings.
  258. while start_modules:
  259. node = start_modules.pop(0)
  260. sorted_modules.append(node)
  261. node_name = node.meta['name']
  262. to_remove = []
  263. for module in dep_modules:
  264. if node_name in module.depends:
  265. module.depends.remove(node_name)
  266. if not module.depends:
  267. start_modules.append(module)
  268. to_remove.append(module)
  269. for module in to_remove:
  270. dep_modules.remove(module)
  271. if dep_modules:
  272. # If there are any modules with unresolved dependencies, then the
  273. # modules contains unmet or cyclic dependencies. Error out.
  274. error = 'Unmet or cyclic dependencies in modules:\n'
  275. for module in dep_modules:
  276. error += f'{module.project} depends on: {module.depends}\n'
  277. sys.exit(error)
  278. return sorted_modules
  279. def main():
  280. parser = argparse.ArgumentParser(description='''
  281. Process a list of projects and create Kconfig / CMake include files for
  282. projects which are also a Zephyr module''')
  283. parser.add_argument('--kconfig-out',
  284. help="""File to write with resulting KConfig import
  285. statements.""")
  286. parser.add_argument('--twister-out',
  287. help="""File to write with resulting twister
  288. parameters.""")
  289. parser.add_argument('--cmake-out',
  290. help="""File to write with resulting <name>:<path>
  291. values to use for including in CMake""")
  292. parser.add_argument('--settings-out',
  293. help="""File to write with resulting <name>:<value>
  294. values to use for including in CMake""")
  295. parser.add_argument('-m', '--modules', nargs='+',
  296. help="""List of modules to parse instead of using `west
  297. list`""")
  298. parser.add_argument('-x', '--extra-modules', nargs='+',
  299. help='List of extra modules to parse')
  300. parser.add_argument('-z', '--zephyr-base',
  301. help='Path to zephyr repository')
  302. args = parser.parse_args()
  303. kconfig = ""
  304. cmake = ""
  305. settings = ""
  306. twister = ""
  307. modules = parse_modules(args.zephyr_base, args.modules, args.extra_modules)
  308. for module in modules:
  309. kconfig += process_kconfig(module.project, module.meta)
  310. cmake += process_cmake(module.project, module.meta)
  311. settings += process_settings(module.project, module.meta)
  312. twister += process_twister(module.project, module.meta)
  313. if args.kconfig_out:
  314. with open(args.kconfig_out, 'w', encoding="utf-8") as fp:
  315. fp.write(kconfig)
  316. if args.cmake_out:
  317. with open(args.cmake_out, 'w', encoding="utf-8") as fp:
  318. fp.write(cmake)
  319. if args.settings_out:
  320. with open(args.settings_out, 'w', encoding="utf-8") as fp:
  321. fp.write('''\
  322. # WARNING. THIS FILE IS AUTO-GENERATED. DO NOT MODIFY!
  323. #
  324. # This file contains build system settings derived from your modules.
  325. #
  326. # Modules may be set via ZEPHYR_MODULES, ZEPHYR_EXTRA_MODULES,
  327. # and/or the west manifest file.
  328. #
  329. # See the Modules guide for more information.
  330. ''')
  331. fp.write(settings)
  332. if args.twister_out:
  333. with open(args.twister_out, 'w', encoding="utf-8") as fp:
  334. fp.write(twister)
  335. if __name__ == "__main__":
  336. main()