sign.py 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485
  1. # Copyright (c) 2018 Foundries.io
  2. #
  3. # SPDX-License-Identifier: Apache-2.0
  4. import abc
  5. import argparse
  6. import os
  7. import pathlib
  8. import pickle
  9. import platform
  10. import shutil
  11. import subprocess
  12. import sys
  13. from west import log
  14. from west.util import quote_sh_list
  15. from build_helpers import find_build_dir, is_zephyr_build, \
  16. FIND_BUILD_DIR_DESCRIPTION
  17. from runners.core import BuildConfiguration
  18. from zcmake import CMakeCache
  19. from zephyr_ext_common import Forceable, ZEPHYR_SCRIPTS
  20. # This is needed to load edt.pickle files.
  21. sys.path.append(str(ZEPHYR_SCRIPTS / 'dts' / 'python-devicetree' / 'src'))
  22. SIGN_DESCRIPTION = '''\
  23. This command automates some of the drudgery of creating signed Zephyr
  24. binaries for chain-loading by a bootloader.
  25. In the simplest usage, run this from your build directory:
  26. west sign -t your_tool -- ARGS_FOR_YOUR_TOOL
  27. The "ARGS_FOR_YOUR_TOOL" value can be any additional
  28. arguments you want to pass to the tool, such as the location of a
  29. signing key, a version identifier, etc.
  30. See tool-specific help below for details.'''
  31. SIGN_EPILOG = '''\
  32. imgtool
  33. -------
  34. To build a signed binary you can load with MCUboot using imgtool,
  35. run this from your build directory:
  36. west sign -t imgtool -- --key YOUR_SIGNING_KEY.pem
  37. For this to work, either imgtool must be installed (e.g. using pip3),
  38. or you must pass the path to imgtool.py using the -p option.
  39. Assuming your binary was properly built for processing and handling by
  40. imgtool, this creates zephyr.signed.bin and zephyr.signed.hex
  41. files which are ready for use by your bootloader.
  42. The image header size, alignment, and slot sizes are determined from
  43. the build directory using .config and the device tree. A default
  44. version number of 0.0.0+0 is used (which can be overridden by passing
  45. "--version x.y.z+w" after "--key"). As shown above, extra arguments
  46. after a '--' are passed to imgtool directly.
  47. rimage
  48. ------
  49. To create a signed binary with the rimage tool, run this from your build
  50. directory:
  51. west sign -t rimage -- -k YOUR_SIGNING_KEY.pem
  52. For this to work, either rimage must be installed or you must pass
  53. the path to rimage using the -p option.'''
  54. class ToggleAction(argparse.Action):
  55. def __call__(self, parser, args, ignored, option):
  56. setattr(args, self.dest, not option.startswith('--no-'))
  57. class Sign(Forceable):
  58. def __init__(self):
  59. super(Sign, self).__init__(
  60. 'sign',
  61. # Keep this in sync with the string in west-commands.yml.
  62. 'sign a Zephyr binary for bootloader chain-loading',
  63. SIGN_DESCRIPTION,
  64. accepts_unknown_args=False)
  65. def do_add_parser(self, parser_adder):
  66. parser = parser_adder.add_parser(
  67. self.name,
  68. epilog=SIGN_EPILOG,
  69. help=self.help,
  70. formatter_class=argparse.RawDescriptionHelpFormatter,
  71. description=self.description)
  72. parser.add_argument('-d', '--build-dir',
  73. help=FIND_BUILD_DIR_DESCRIPTION)
  74. parser.add_argument('-q', '--quiet', action='store_true',
  75. help='suppress non-error output')
  76. self.add_force_arg(parser)
  77. # general options
  78. group = parser.add_argument_group('tool control options')
  79. group.add_argument('-t', '--tool', choices=['imgtool', 'rimage'],
  80. required=True,
  81. help='''image signing tool name; imgtool and rimage
  82. are currently supported''')
  83. group.add_argument('-p', '--tool-path', default=None,
  84. help='''path to the tool itself, if needed''')
  85. group.add_argument('-D', '--tool-data', default=None,
  86. help='''path to tool data/configuration directory, if needed''')
  87. group.add_argument('tool_args', nargs='*', metavar='tool_opt',
  88. help='extra option(s) to pass to the signing tool')
  89. # bin file options
  90. group = parser.add_argument_group('binary (.bin) file options')
  91. group.add_argument('--bin', '--no-bin', dest='gen_bin', nargs=0,
  92. action=ToggleAction,
  93. help='''produce a signed .bin file?
  94. (default: yes, if supported and unsigned bin
  95. exists)''')
  96. group.add_argument('-B', '--sbin', metavar='BIN',
  97. help='''signed .bin file name
  98. (default: zephyr.signed.bin in the build
  99. directory, next to zephyr.bin)''')
  100. # hex file options
  101. group = parser.add_argument_group('Intel HEX (.hex) file options')
  102. group.add_argument('--hex', '--no-hex', dest='gen_hex', nargs=0,
  103. action=ToggleAction,
  104. help='''produce a signed .hex file?
  105. (default: yes, if supported and unsigned hex
  106. exists)''')
  107. group.add_argument('-H', '--shex', metavar='HEX',
  108. help='''signed .hex file name
  109. (default: zephyr.signed.hex in the build
  110. directory, next to zephyr.hex)''')
  111. return parser
  112. def do_run(self, args, ignored):
  113. self.args = args # for check_force
  114. # Find the build directory and parse .config and DT.
  115. build_dir = find_build_dir(args.build_dir)
  116. self.check_force(os.path.isdir(build_dir),
  117. 'no such build directory {}'.format(build_dir))
  118. self.check_force(is_zephyr_build(build_dir),
  119. "build directory {} doesn't look like a Zephyr build "
  120. 'directory'.format(build_dir))
  121. build_conf = BuildConfiguration(build_dir)
  122. # Decide on output formats.
  123. formats = []
  124. bin_exists = build_conf.getboolean('CONFIG_BUILD_OUTPUT_BIN')
  125. if args.gen_bin:
  126. self.check_force(bin_exists,
  127. '--bin given but CONFIG_BUILD_OUTPUT_BIN not set '
  128. "in build directory's ({}) .config".
  129. format(build_dir))
  130. formats.append('bin')
  131. elif args.gen_bin is None and bin_exists:
  132. formats.append('bin')
  133. hex_exists = build_conf.getboolean('CONFIG_BUILD_OUTPUT_HEX')
  134. if args.gen_hex:
  135. self.check_force(hex_exists,
  136. '--hex given but CONFIG_BUILD_OUTPUT_HEX not set '
  137. "in build directory's ({}) .config".
  138. format(build_dir))
  139. formats.append('hex')
  140. elif args.gen_hex is None and hex_exists:
  141. formats.append('hex')
  142. # Delegate to the signer.
  143. if args.tool == 'imgtool':
  144. signer = ImgtoolSigner()
  145. elif args.tool == 'rimage':
  146. signer = RimageSigner()
  147. # (Add support for other signers here in elif blocks)
  148. else:
  149. raise RuntimeError("can't happen")
  150. signer.sign(self, build_dir, build_conf, formats)
  151. class Signer(abc.ABC):
  152. '''Common abstract superclass for signers.
  153. To add support for a new tool, subclass this and add support for
  154. it in the Sign.do_run() method.'''
  155. @abc.abstractmethod
  156. def sign(self, command, build_dir, build_conf, formats):
  157. '''Abstract method to perform a signature; subclasses must implement.
  158. :param command: the Sign instance
  159. :param build_dir: the build directory
  160. :param build_conf: BuildConfiguration for build directory
  161. :param formats: list of formats to generate ('bin', 'hex')
  162. '''
  163. class ImgtoolSigner(Signer):
  164. def sign(self, command, build_dir, build_conf, formats):
  165. if not formats:
  166. return
  167. args = command.args
  168. b = pathlib.Path(build_dir)
  169. imgtool = self.find_imgtool(command, args)
  170. # The vector table offset is set in Kconfig:
  171. vtoff = self.get_cfg(command, build_conf, 'CONFIG_ROM_START_OFFSET')
  172. # Flash device write alignment and the partition's slot size
  173. # come from devicetree:
  174. flash = self.edt_flash_node(b, args.quiet)
  175. align, addr, size = self.edt_flash_params(flash)
  176. if not build_conf.getboolean('CONFIG_BOOTLOADER_MCUBOOT'):
  177. log.wrn("CONFIG_BOOTLOADER_MCUBOOT is not set to y in "
  178. f"{build_conf.path}; this probably won't work")
  179. kernel = build_conf.get('CONFIG_KERNEL_BIN_NAME', 'zephyr')
  180. if 'bin' in formats:
  181. in_bin = b / 'zephyr' / f'{kernel}.bin'
  182. if not in_bin.is_file():
  183. log.die(f"no unsigned .bin found at {in_bin}")
  184. in_bin = os.fspath(in_bin)
  185. else:
  186. in_bin = None
  187. if 'hex' in formats:
  188. in_hex = b / 'zephyr' / f'{kernel}.hex'
  189. if not in_hex.is_file():
  190. log.die(f"no unsigned .hex found at {in_hex}")
  191. in_hex = os.fspath(in_hex)
  192. else:
  193. in_hex = None
  194. if not args.quiet:
  195. log.banner('image configuration:')
  196. log.inf('partition offset: {0} (0x{0:x})'.format(addr))
  197. log.inf('partition size: {0} (0x{0:x})'.format(size))
  198. log.inf('rom start offset: {0} (0x{0:x})'.format(vtoff))
  199. # Base sign command.
  200. #
  201. # We provide a default --version in case the user is just
  202. # messing around and doesn't want to set one. It will be
  203. # overridden if there is a --version in args.tool_args.
  204. sign_base = imgtool + ['sign',
  205. '--version', '0.0.0+0',
  206. '--align', str(align),
  207. '--header-size', str(vtoff),
  208. '--slot-size', str(size)]
  209. sign_base.extend(args.tool_args)
  210. if not args.quiet:
  211. log.banner('signing binaries')
  212. if in_bin:
  213. out_bin = args.sbin or str(b / 'zephyr' / 'zephyr.signed.bin')
  214. sign_bin = sign_base + [in_bin, out_bin]
  215. if not args.quiet:
  216. log.inf(f'unsigned bin: {in_bin}')
  217. log.inf(f'signed bin: {out_bin}')
  218. log.dbg(quote_sh_list(sign_bin))
  219. subprocess.check_call(sign_bin)
  220. if in_hex:
  221. out_hex = args.shex or str(b / 'zephyr' / 'zephyr.signed.hex')
  222. sign_hex = sign_base + [in_hex, out_hex]
  223. if not args.quiet:
  224. log.inf(f'unsigned hex: {in_hex}')
  225. log.inf(f'signed hex: {out_hex}')
  226. log.dbg(quote_sh_list(sign_hex))
  227. subprocess.check_call(sign_hex)
  228. @staticmethod
  229. def find_imgtool(command, args):
  230. if args.tool_path:
  231. imgtool = args.tool_path
  232. if not os.path.isfile(imgtool):
  233. log.die(f'--tool-path {imgtool}: no such file')
  234. else:
  235. imgtool = shutil.which('imgtool') or shutil.which('imgtool.py')
  236. if not imgtool:
  237. log.die('imgtool not found; either install it',
  238. '(e.g. "pip3 install imgtool") or provide --tool-path')
  239. if platform.system() == 'Windows' and imgtool.endswith('.py'):
  240. # Windows users may not be able to run .py files
  241. # as executables in subprocesses, regardless of
  242. # what the mode says. Always run imgtool as
  243. # 'python path/to/imgtool.py' instead of
  244. # 'path/to/imgtool.py' in these cases.
  245. # https://github.com/zephyrproject-rtos/zephyr/issues/31876
  246. return [sys.executable, imgtool]
  247. return [imgtool]
  248. @staticmethod
  249. def get_cfg(command, build_conf, item):
  250. try:
  251. return build_conf[item]
  252. except KeyError:
  253. command.check_force(
  254. False, "build .config is missing a {} value".format(item))
  255. return None
  256. @staticmethod
  257. def edt_flash_node(b, quiet=False):
  258. # Get the EDT Node corresponding to the zephyr,flash chosen DT
  259. # node; 'b' is the build directory as a pathlib object.
  260. # Ensure the build directory has a compiled DTS file
  261. # where we expect it to be.
  262. dts = b / 'zephyr' / 'zephyr.dts'
  263. if not quiet:
  264. log.dbg('DTS file:', dts, level=log.VERBOSE_VERY)
  265. edt_pickle = b / 'zephyr' / 'edt.pickle'
  266. if not edt_pickle.is_file():
  267. log.die("can't load devicetree; expected to find:", edt_pickle)
  268. # Load the devicetree.
  269. with open(edt_pickle, 'rb') as f:
  270. edt = pickle.load(f)
  271. # By convention, the zephyr,flash chosen node contains the
  272. # partition information about the zephyr image to sign.
  273. flash = edt.chosen_node('zephyr,flash')
  274. if not flash:
  275. log.die('devicetree has no chosen zephyr,flash node;',
  276. "can't infer flash write block or image-0 slot sizes")
  277. return flash
  278. @staticmethod
  279. def edt_flash_params(flash):
  280. # Get the flash device's write alignment and offset from the
  281. # image-0 partition and the size from image-1 partition, out of the
  282. # build directory's devicetree. image-1 partition size is used,
  283. # when available, because in swap-move mode it can be one sector
  284. # smaller. When not available, fallback to image-0 (single image dfu).
  285. # The node must have a "partitions" child node, which in turn
  286. # must have child node labeled "image-0" and may have a child node
  287. # named "image-1". By convention, the slots for consumption by
  288. # imgtool are linked into these partitions.
  289. if 'partitions' not in flash.children:
  290. log.die("DT zephyr,flash chosen node has no partitions,",
  291. "can't find partitions for MCUboot slots")
  292. partitions = flash.children['partitions']
  293. images = {
  294. node.label: node for node in partitions.children.values()
  295. if node.label in set(['image-0', 'image-1'])
  296. }
  297. if 'image-0' not in images:
  298. log.die("DT zephyr,flash chosen node has no image-0 partition,",
  299. "can't determine its address")
  300. # Die on missing or zero alignment or slot_size.
  301. if "write-block-size" not in flash.props:
  302. log.die('DT zephyr,flash node has no write-block-size;',
  303. "can't determine imgtool write alignment")
  304. align = flash.props['write-block-size'].val
  305. if align == 0:
  306. log.die('expected nonzero flash alignment, but got '
  307. 'DT flash device write-block-size {}'.format(align))
  308. # The partitions node, and its subnode, must provide
  309. # the size of image-1 or image-0 partition via the regs property.
  310. image_key = 'image-1' if 'image-1' in images else 'image-0'
  311. if not images[image_key].regs:
  312. log.die(f'{image_key} flash partition has no regs property;',
  313. "can't determine size of image")
  314. # always use addr of image-0, which is where images are run
  315. addr = images['image-0'].regs[0].addr
  316. size = images[image_key].regs[0].size
  317. if size == 0:
  318. log.die('expected nonzero slot size for {}'.format(image_key))
  319. return (align, addr, size)
  320. class RimageSigner(Signer):
  321. @staticmethod
  322. def edt_get_rimage_target(board):
  323. if 'intel_adsp_cavs15' in board:
  324. return 'apl'
  325. if 'intel_adsp_cavs18' in board:
  326. return 'cnl'
  327. if 'intel_adsp_cavs20' in board:
  328. return 'icl'
  329. if 'intel_adsp_cavs25' in board:
  330. return 'tgl'
  331. if 'nxp_adsp_imx8' in board:
  332. return 'imx8'
  333. log.die('Signing not supported for board ' + board)
  334. def sign(self, command, build_dir, build_conf, formats):
  335. args = command.args
  336. if args.tool_path:
  337. command.check_force(shutil.which(args.tool_path),
  338. '--tool-path {}: not an executable'.
  339. format(args.tool_path))
  340. tool_path = args.tool_path
  341. else:
  342. tool_path = shutil.which('rimage')
  343. if not tool_path:
  344. log.die('rimage not found; either install it',
  345. 'or provide --tool-path')
  346. b = pathlib.Path(build_dir)
  347. cache = CMakeCache.from_build_dir(build_dir)
  348. board = cache['CACHED_BOARD']
  349. log.inf('Signing for board ' + board)
  350. target = self.edt_get_rimage_target(board)
  351. conf = target + '.toml'
  352. log.inf('Signing for SOC target ' + target + ' using ' + conf)
  353. if not args.quiet:
  354. log.inf('Signing with tool {}'.format(tool_path))
  355. if 'imx8' in target:
  356. kernel = str(b / 'zephyr' / 'zephyr.elf')
  357. out_bin = str(b / 'zephyr' / 'zephyr.ri')
  358. out_xman = str(b / 'zephyr' / 'zephyr.ri.xman')
  359. out_tmp = str(b / 'zephyr' / 'zephyr.rix')
  360. else:
  361. bootloader = str(b / 'zephyr' / 'bootloader.elf.mod')
  362. kernel = str(b / 'zephyr' / 'zephyr.elf.mod')
  363. out_bin = str(b / 'zephyr' / 'zephyr.ri')
  364. out_xman = str(b / 'zephyr' / 'zephyr.ri.xman')
  365. out_tmp = str(b / 'zephyr' / 'zephyr.rix')
  366. conf_path_cmd = []
  367. if cache.get('RIMAGE_CONFIG_PATH') and not args.tool_data:
  368. rimage_conf = pathlib.Path(cache['RIMAGE_CONFIG_PATH'])
  369. conf_path = str(rimage_conf / conf)
  370. conf_path_cmd = ['-c', conf_path]
  371. elif args.tool_data:
  372. conf_dir = pathlib.Path(args.tool_data)
  373. conf_path = str(conf_dir / conf)
  374. conf_path_cmd = ['-c', conf_path]
  375. else:
  376. log.die('Configuration not found')
  377. if '--no-manifest' in args.tool_args:
  378. no_manifest = True
  379. args.tool_args.remove('--no-manifest')
  380. else:
  381. no_manifest = False
  382. if 'imx8' in target:
  383. sign_base = ([tool_path] + args.tool_args +
  384. ['-o', out_bin] + conf_path_cmd + ['-i', '3', '-e'] +
  385. [kernel])
  386. else:
  387. sign_base = ([tool_path] + args.tool_args +
  388. ['-o', out_bin] + conf_path_cmd + ['-i', '3', '-e'] +
  389. [bootloader, kernel])
  390. if not args.quiet:
  391. log.inf(quote_sh_list(sign_base))
  392. subprocess.check_call(sign_base)
  393. if no_manifest:
  394. filenames = [out_bin]
  395. else:
  396. filenames = [out_xman, out_bin]
  397. with open(out_tmp, 'wb') as outfile:
  398. for fname in filenames:
  399. with open(fname, 'rb') as infile:
  400. outfile.write(infile.read())
  401. os.remove(out_bin)
  402. os.rename(out_tmp, out_bin)