build.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511
  1. # Copyright (c) 2018 Foundries.io
  2. #
  3. # SPDX-License-Identifier: Apache-2.0
  4. import argparse
  5. import os
  6. import pathlib
  7. import shlex
  8. import sys
  9. import yaml
  10. from west import log
  11. from west.configuration import config
  12. from zcmake import DEFAULT_CMAKE_GENERATOR, run_cmake, run_build, CMakeCache
  13. from build_helpers import is_zephyr_build, find_build_dir, \
  14. FIND_BUILD_DIR_DESCRIPTION
  15. from zephyr_ext_common import Forceable
  16. _ARG_SEPARATOR = '--'
  17. BUILD_USAGE = '''\
  18. west build [-h] [-b BOARD] [-d BUILD_DIR]
  19. [-t TARGET] [-p {auto, always, never}] [-c] [--cmake-only]
  20. [-n] [-o BUILD_OPT] [-f]
  21. [source_dir] -- [cmake_opt [cmake_opt ...]]
  22. '''
  23. BUILD_DESCRIPTION = f'''\
  24. Convenience wrapper for building Zephyr applications.
  25. {FIND_BUILD_DIR_DESCRIPTION}
  26. positional arguments:
  27. source_dir application source directory
  28. cmake_opt extra options to pass to cmake; implies -c
  29. (these must come after "--" as shown above)
  30. '''
  31. PRISTINE_DESCRIPTION = """\
  32. A "pristine" build directory is empty. The -p option controls
  33. whether the build directory is made pristine before the build
  34. is done. A bare '--pristine' with no value is the same as
  35. --pristine=always. Setting --pristine=auto uses heuristics to
  36. guess if a pristine build may be necessary."""
  37. def _banner(msg):
  38. log.inf('-- west build: ' + msg, colorize=True)
  39. def config_get(option, fallback):
  40. return config.get('build', option, fallback=fallback)
  41. def config_getboolean(option, fallback):
  42. return config.getboolean('build', option, fallback=fallback)
  43. class AlwaysIfMissing(argparse.Action):
  44. def __call__(self, parser, namespace, values, option_string=None):
  45. setattr(namespace, self.dest, values or 'always')
  46. class Build(Forceable):
  47. def __init__(self):
  48. super(Build, self).__init__(
  49. 'build',
  50. # Keep this in sync with the string in west-commands.yml.
  51. 'compile a Zephyr application',
  52. BUILD_DESCRIPTION,
  53. accepts_unknown_args=True)
  54. self.source_dir = None
  55. '''Source directory for the build, or None on error.'''
  56. self.build_dir = None
  57. '''Final build directory used to run the build, or None on error.'''
  58. self.created_build_dir = False
  59. '''True if the build directory was created; False otherwise.'''
  60. self.run_cmake = False
  61. '''True if CMake was run; False otherwise.
  62. Note: this only describes CMake runs done by this command. The
  63. build system generated by CMake may also update itself due to
  64. internal logic.'''
  65. self.cmake_cache = None
  66. '''Final parsed CMake cache for the build, or None on error.'''
  67. def do_add_parser(self, parser_adder):
  68. parser = parser_adder.add_parser(
  69. self.name,
  70. help=self.help,
  71. formatter_class=argparse.RawDescriptionHelpFormatter,
  72. description=self.description,
  73. usage=BUILD_USAGE)
  74. # Remember to update west-completion.bash if you add or remove
  75. # flags
  76. parser.add_argument('-b', '--board', help='board to build for')
  77. # Hidden option for backwards compatibility
  78. parser.add_argument('-s', '--source-dir', help=argparse.SUPPRESS)
  79. parser.add_argument('-d', '--build-dir',
  80. help='build directory to create or use')
  81. self.add_force_arg(parser)
  82. group = parser.add_argument_group('cmake and build tool')
  83. group.add_argument('-c', '--cmake', action='store_true',
  84. help='force a cmake run')
  85. group.add_argument('--cmake-only', action='store_true',
  86. help="just run cmake; don't build (implies -c)")
  87. group.add_argument('-t', '--target',
  88. help='''run build system target TARGET
  89. (try "-t usage")''')
  90. group.add_argument('-T', '--test-item',
  91. help='''Build based on test data in testcase.yaml
  92. or sample.yaml''')
  93. group.add_argument('-o', '--build-opt', default=[], action='append',
  94. help='''options to pass to the build tool
  95. (make or ninja); may be given more than once''')
  96. group.add_argument('-n', '--just-print', '--dry-run', '--recon',
  97. dest='dry_run', action='store_true',
  98. help="just print build commands; don't run them")
  99. group = parser.add_argument_group('pristine builds',
  100. PRISTINE_DESCRIPTION)
  101. group.add_argument('-p', '--pristine', choices=['auto', 'always',
  102. 'never'], action=AlwaysIfMissing, nargs='?',
  103. help='pristine build folder setting')
  104. return parser
  105. def do_run(self, args, remainder):
  106. self.args = args # Avoid having to pass them around
  107. self.config_board = config_get('board', None)
  108. log.dbg('args: {} remainder: {}'.format(args, remainder),
  109. level=log.VERBOSE_EXTREME)
  110. # Store legacy -s option locally
  111. source_dir = self.args.source_dir
  112. self._parse_remainder(remainder)
  113. # Parse testcase.yaml or sample.yaml files for additional options.
  114. if self.args.test_item:
  115. self._parse_test_item()
  116. if source_dir:
  117. if self.args.source_dir:
  118. log.die("source directory specified twice:({} and {})".format(
  119. source_dir, self.args.source_dir))
  120. self.args.source_dir = source_dir
  121. log.dbg('source_dir: {} cmake_opts: {}'.format(self.args.source_dir,
  122. self.args.cmake_opts),
  123. level=log.VERBOSE_EXTREME)
  124. self._sanity_precheck()
  125. self._setup_build_dir()
  126. if args.pristine is not None:
  127. pristine = args.pristine
  128. else:
  129. # Load the pristine={auto, always, never} configuration value
  130. pristine = config_get('pristine', 'never')
  131. if pristine not in ['auto', 'always', 'never']:
  132. log.wrn(
  133. 'treating unknown build.pristine value "{}" as "never"'.
  134. format(pristine))
  135. pristine = 'never'
  136. self.auto_pristine = (pristine == 'auto')
  137. log.dbg('pristine: {} auto_pristine: {}'.format(pristine,
  138. self.auto_pristine),
  139. level=log.VERBOSE_VERY)
  140. if is_zephyr_build(self.build_dir):
  141. if pristine == 'always':
  142. self._run_pristine()
  143. self.run_cmake = True
  144. else:
  145. self._update_cache()
  146. if (self.args.cmake or self.args.cmake_opts or
  147. self.args.cmake_only):
  148. self.run_cmake = True
  149. else:
  150. self.run_cmake = True
  151. self.source_dir = self._find_source_dir()
  152. self._sanity_check()
  153. board, origin = self._find_board()
  154. self._run_cmake(board, origin, self.args.cmake_opts)
  155. if args.cmake_only:
  156. return
  157. self._sanity_check()
  158. self._update_cache()
  159. self._run_build(args.target)
  160. def _find_board(self):
  161. board, origin = None, None
  162. if self.cmake_cache:
  163. board, origin = (self.cmake_cache.get('CACHED_BOARD'),
  164. 'CMakeCache.txt')
  165. # A malformed CMake cache may exist, but not have a board.
  166. # This happens if there's a build error from a previous run.
  167. if board is not None:
  168. return (board, origin)
  169. if self.args.board:
  170. board, origin = self.args.board, 'command line'
  171. elif 'BOARD' in os.environ:
  172. board, origin = os.environ['BOARD'], 'env'
  173. elif self.config_board is not None:
  174. board, origin = self.config_board, 'configfile'
  175. return board, origin
  176. def _parse_remainder(self, remainder):
  177. self.args.source_dir = None
  178. self.args.cmake_opts = None
  179. try:
  180. # Only one source_dir is allowed, as the first positional arg
  181. if remainder[0] != _ARG_SEPARATOR:
  182. self.args.source_dir = remainder[0]
  183. remainder = remainder[1:]
  184. # Only the first argument separator is consumed, the rest are
  185. # passed on to CMake
  186. if remainder[0] == _ARG_SEPARATOR:
  187. remainder = remainder[1:]
  188. if remainder:
  189. self.args.cmake_opts = remainder
  190. except IndexError:
  191. return
  192. def _parse_test_item(self):
  193. for yp in ['sample.yaml', 'testcase.yaml']:
  194. yf = os.path.join(self.args.source_dir, yp)
  195. if not os.path.exists(yf):
  196. continue
  197. with open(yf, 'r') as stream:
  198. try:
  199. y = yaml.safe_load(stream)
  200. except yaml.YAMLError as exc:
  201. log.die(exc)
  202. tests = y.get('tests')
  203. if not tests:
  204. continue
  205. item = tests.get(self.args.test_item)
  206. if not item:
  207. continue
  208. for data in ['extra_args', 'extra_configs']:
  209. extra = item.get(data)
  210. if not extra:
  211. continue
  212. if isinstance(extra, str):
  213. arg_list = extra.split(" ")
  214. else:
  215. arg_list = extra
  216. args = ["-D{}".format(arg.replace('"', '')) for arg in arg_list]
  217. if self.args.cmake_opts:
  218. self.args.cmake_opts.extend(args)
  219. else:
  220. self.args.cmake_opts = args
  221. def _sanity_precheck(self):
  222. app = self.args.source_dir
  223. if app:
  224. self.check_force(
  225. os.path.isdir(app),
  226. 'source directory {} does not exist'.format(app))
  227. self.check_force(
  228. 'CMakeLists.txt' in os.listdir(app),
  229. "{} doesn't contain a CMakeLists.txt".format(app))
  230. def _update_cache(self):
  231. try:
  232. self.cmake_cache = CMakeCache.from_build_dir(self.build_dir)
  233. except FileNotFoundError:
  234. pass
  235. def _setup_build_dir(self):
  236. # Initialize build_dir and created_build_dir attributes.
  237. # If we created the build directory, we must run CMake.
  238. log.dbg('setting up build directory', level=log.VERBOSE_EXTREME)
  239. # The CMake Cache has not been loaded yet, so this is safe
  240. board, _ = self._find_board()
  241. source_dir = self._find_source_dir()
  242. app = os.path.split(source_dir)[1]
  243. build_dir = find_build_dir(self.args.build_dir, board=board,
  244. source_dir=source_dir, app=app)
  245. if not build_dir:
  246. log.die('Unable to determine a default build folder. Check '
  247. 'your build.dir-fmt configuration option')
  248. if os.path.exists(build_dir):
  249. if not os.path.isdir(build_dir):
  250. log.die('build directory {} exists and is not a directory'.
  251. format(build_dir))
  252. else:
  253. os.makedirs(build_dir, exist_ok=False)
  254. self.created_build_dir = True
  255. self.run_cmake = True
  256. self.build_dir = build_dir
  257. def _find_source_dir(self):
  258. # Initialize source_dir attribute, either from command line argument,
  259. # implicitly from the build directory's CMake cache, or using the
  260. # default (current working directory).
  261. log.dbg('setting up source directory', level=log.VERBOSE_EXTREME)
  262. if self.args.source_dir:
  263. source_dir = self.args.source_dir
  264. elif self.cmake_cache:
  265. source_dir = self.cmake_cache.get('CMAKE_HOME_DIRECTORY')
  266. if not source_dir:
  267. # This really ought to be there. The build directory
  268. # must be corrupted somehow. Let's see what we can do.
  269. log.die('build directory', self.build_dir,
  270. 'CMake cache has no CMAKE_HOME_DIRECTORY;',
  271. 'please give a source_dir')
  272. else:
  273. source_dir = os.getcwd()
  274. return os.path.abspath(source_dir)
  275. def _sanity_check_source_dir(self):
  276. if self.source_dir == self.build_dir:
  277. # There's no forcing this.
  278. log.die('source and build directory {} cannot be the same; '
  279. 'use --build-dir {} to specify a build directory'.
  280. format(self.source_dir, self.build_dir))
  281. srcrel = os.path.relpath(self.source_dir)
  282. self.check_force(
  283. not is_zephyr_build(self.source_dir),
  284. 'it looks like {srcrel} is a build directory: '
  285. 'did you mean --build-dir {srcrel} instead?'.
  286. format(srcrel=srcrel))
  287. self.check_force(
  288. 'CMakeLists.txt' in os.listdir(self.source_dir),
  289. 'source directory "{srcrel}" does not contain '
  290. 'a CMakeLists.txt; is this really what you '
  291. 'want to build? (Use -s SOURCE_DIR to specify '
  292. 'the application source directory)'.
  293. format(srcrel=srcrel))
  294. def _sanity_check(self):
  295. # Sanity check the build configuration.
  296. # Side effect: may update cmake_cache attribute.
  297. log.dbg('sanity checking the build', level=log.VERBOSE_EXTREME)
  298. self._sanity_check_source_dir()
  299. if not self.cmake_cache:
  300. return # That's all we can check without a cache.
  301. if "CMAKE_PROJECT_NAME" not in self.cmake_cache:
  302. # This happens sometimes when a build system is not
  303. # completely generated due to an error during the
  304. # CMake configuration phase.
  305. self.run_cmake = True
  306. cached_app = self.cmake_cache.get('APPLICATION_SOURCE_DIR')
  307. log.dbg('APPLICATION_SOURCE_DIR:', cached_app,
  308. level=log.VERBOSE_EXTREME)
  309. source_abs = (os.path.abspath(self.args.source_dir)
  310. if self.args.source_dir else None)
  311. cached_abs = os.path.abspath(cached_app) if cached_app else None
  312. log.dbg('pristine:', self.auto_pristine, level=log.VERBOSE_EXTREME)
  313. # If the build directory specifies a source app, make sure it's
  314. # consistent with --source-dir.
  315. apps_mismatched = (source_abs and cached_abs and
  316. pathlib.PurePath(source_abs) != pathlib.PurePath(cached_abs))
  317. self.check_force(
  318. not apps_mismatched or self.auto_pristine,
  319. 'Build directory "{}" is for application "{}", but source '
  320. 'directory "{}" was specified; please clean it, use --pristine, '
  321. 'or use --build-dir to set another build directory'.
  322. format(self.build_dir, cached_abs, source_abs))
  323. if apps_mismatched:
  324. self.run_cmake = True # If they insist, we need to re-run cmake.
  325. # If CACHED_BOARD is not defined, we need some other way to
  326. # find the board.
  327. cached_board = self.cmake_cache.get('CACHED_BOARD')
  328. log.dbg('CACHED_BOARD:', cached_board, level=log.VERBOSE_EXTREME)
  329. # If apps_mismatched and self.auto_pristine are true, we will
  330. # run pristine on the build, invalidating the cached
  331. # board. In that case, we need some way of getting the board.
  332. self.check_force((cached_board and
  333. not (apps_mismatched and self.auto_pristine))
  334. or self.args.board or self.config_board or
  335. os.environ.get('BOARD'),
  336. 'Cached board not defined, please provide it '
  337. '(provide --board, set default with '
  338. '"west config build.board <BOARD>", or set '
  339. 'BOARD in the environment)')
  340. # Check consistency between cached board and --board.
  341. boards_mismatched = (self.args.board and cached_board and
  342. self.args.board != cached_board)
  343. self.check_force(
  344. not boards_mismatched or self.auto_pristine,
  345. 'Build directory {} targets board {}, but board {} was specified. '
  346. '(Clean the directory, use --pristine, or use --build-dir to '
  347. 'specify a different one.)'.
  348. format(self.build_dir, cached_board, self.args.board))
  349. if self.auto_pristine and (apps_mismatched or boards_mismatched):
  350. self._run_pristine()
  351. self.cmake_cache = None
  352. log.dbg('run_cmake:', True, level=log.VERBOSE_EXTREME)
  353. self.run_cmake = True
  354. # Tricky corner-case: The user has not specified a build folder but
  355. # there was one in the CMake cache. Since this is going to be
  356. # invalidated, reset to CWD and re-run the basic tests.
  357. if ((boards_mismatched and not apps_mismatched) and
  358. (not source_abs and cached_abs)):
  359. self.source_dir = self._find_source_dir()
  360. self._sanity_check_source_dir()
  361. def _run_cmake(self, board, origin, cmake_opts):
  362. if board is None and config_getboolean('board_warn', True):
  363. log.wrn('This looks like a fresh build and BOARD is unknown;',
  364. "so it probably won't work. To fix, use",
  365. '--board=<your-board>.')
  366. log.inf('Note: to silence the above message, run',
  367. "'west config build.board_warn false'")
  368. if not self.run_cmake:
  369. return
  370. _banner('generating a build system')
  371. if board is not None and origin != 'CMakeCache.txt':
  372. cmake_opts = ['-DBOARD={}'.format(board)]
  373. else:
  374. cmake_opts = []
  375. if self.args.cmake_opts:
  376. cmake_opts.extend(self.args.cmake_opts)
  377. user_args = config_get('cmake-args', None)
  378. if user_args:
  379. cmake_opts.extend(shlex.split(user_args))
  380. # Invoke CMake from the current working directory using the
  381. # -S and -B options (officially introduced in CMake 3.13.0).
  382. # This is important because users expect invocations like this
  383. # to Just Work:
  384. #
  385. # west build -- -DOVERLAY_CONFIG=relative-path.conf
  386. final_cmake_args = ['-DWEST_PYTHON={}'.format(sys.executable),
  387. '-B{}'.format(self.build_dir),
  388. '-S{}'.format(self.source_dir),
  389. '-G{}'.format(config_get('generator',
  390. DEFAULT_CMAKE_GENERATOR))]
  391. if cmake_opts:
  392. final_cmake_args.extend(cmake_opts)
  393. run_cmake(final_cmake_args, dry_run=self.args.dry_run)
  394. def _run_pristine(self):
  395. _banner('making build dir {} pristine'.format(self.build_dir))
  396. if not is_zephyr_build(self.build_dir):
  397. log.die('Refusing to run pristine on a folder that is not a '
  398. 'Zephyr build system')
  399. cache = CMakeCache.from_build_dir(self.build_dir)
  400. app_src_dir = cache.get('APPLICATION_SOURCE_DIR')
  401. app_bin_dir = cache.get('APPLICATION_BINARY_DIR')
  402. cmake_args = [f'-DBINARY_DIR={app_bin_dir}',
  403. f'-DSOURCE_DIR={app_src_dir}',
  404. '-P', cache['ZEPHYR_BASE'] + '/cmake/pristine.cmake']
  405. run_cmake(cmake_args, cwd=self.build_dir, dry_run=self.args.dry_run)
  406. def _run_build(self, target):
  407. if target:
  408. _banner('running target {}'.format(target))
  409. elif self.run_cmake:
  410. _banner('building application')
  411. extra_args = ['--target', target] if target else []
  412. if self.args.build_opt:
  413. extra_args.append('--')
  414. extra_args.extend(self.args.build_opt)
  415. if self.args.verbose:
  416. self._append_verbose_args(extra_args,
  417. not bool(self.args.build_opt))
  418. run_build(self.build_dir, extra_args=extra_args,
  419. dry_run=self.args.dry_run)
  420. def _append_verbose_args(self, extra_args, add_dashes):
  421. # These hacks are only needed for CMake versions earlier than
  422. # 3.14. When Zephyr's minimum version is at least that, we can
  423. # drop this nonsense and just run "cmake --build BUILD -v".
  424. self._update_cache()
  425. if not self.cmake_cache:
  426. return
  427. generator = self.cmake_cache.get('CMAKE_GENERATOR')
  428. if not generator:
  429. return
  430. # Substring matching is for things like "Eclipse CDT4 - Ninja".
  431. if 'Ninja' in generator:
  432. if add_dashes:
  433. extra_args.append('--')
  434. extra_args.append('-v')
  435. elif generator == 'Unix Makefiles':
  436. if add_dashes:
  437. extra_args.append('--')
  438. extra_args.append('VERBOSE=1')