ref: 9196c18d376d4f18c686bcfec8550f9c8659d5ea
tools/mcuboot/imgtool/main.py
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 |
#! /usr/bin/env python3 # # Copyright 2017-2020 Linaro Limited # Copyright 2019-2020 Arm Limited # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import re import click import getpass import imgtool.keys as keys import sys from imgtool import image, imgtool_version from imgtool.version import decode_version from .keys import ( RSAUsageError, ECDSAUsageError, Ed25519UsageError, X25519UsageError) MIN_PYTHON_VERSION = (3, 6) if sys.version_info < MIN_PYTHON_VERSION: sys.exit("Python %s.%s or newer is required by imgtool." % MIN_PYTHON_VERSION) def gen_rsa2048(keyfile, passwd): keys.RSA.generate().export_private(path=keyfile, passwd=passwd) def gen_rsa3072(keyfile, passwd): keys.RSA.generate(key_size=3072).export_private(path=keyfile, passwd=passwd) def gen_ecdsa_p256(keyfile, passwd): keys.ECDSA256P1.generate().export_private(keyfile, passwd=passwd) def gen_ecdsa_p224(keyfile, passwd): print("TODO: p-224 not yet implemented") def gen_ed25519(keyfile, passwd): keys.Ed25519.generate().export_private(path=keyfile, passwd=passwd) def gen_x25519(keyfile, passwd): keys.X25519.generate().export_private(path=keyfile, passwd=passwd) valid_langs = ['c', 'rust'] keygens = { 'rsa-2048': gen_rsa2048, 'rsa-3072': gen_rsa3072, 'ecdsa-p256': gen_ecdsa_p256, 'ecdsa-p224': gen_ecdsa_p224, 'ed25519': gen_ed25519, 'x25519': gen_x25519, } def load_key(keyfile): # TODO: better handling of invalid pass-phrase key = keys.load(keyfile) if key is not None: return key passwd = getpass.getpass("Enter key passphrase: ").encode('utf-8') return keys.load(keyfile, passwd) def get_password(): while True: passwd = getpass.getpass("Enter key passphrase: ") passwd2 = getpass.getpass("Reenter passphrase: ") if passwd == passwd2: break print("Passwords do not match, try again") # Password must be bytes, always use UTF-8 for consistent # encoding. return passwd.encode('utf-8') @click.option('-p', '--password', is_flag=True, help='Prompt for password to protect key') @click.option('-t', '--type', metavar='type', required=True, type=click.Choice(keygens.keys()), prompt=True, help='{}'.format('One of: {}'.format(', '.join(keygens.keys())))) @click.option('-k', '--key', metavar='filename', required=True) @click.command(help='Generate pub/private keypair') def keygen(type, key, password): password = get_password() if password else None keygens[type](key, password) @click.option('-l', '--lang', metavar='lang', default=valid_langs[0], type=click.Choice(valid_langs)) @click.option('-k', '--key', metavar='filename', required=True) @click.command(help='Dump public key from keypair') def getpub(key, lang): key = load_key(key) if key is None: print("Invalid passphrase") elif lang == 'c': key.emit_c_public() elif lang == 'rust': key.emit_rust_public() else: raise ValueError("BUG: should never get here!") @click.option('--minimal', default=False, is_flag=True, help='Reduce the size of the dumped private key to include only ' 'the minimum amount of data required to decrypt. This ' 'might require changes to the build config. Check the docs!' ) @click.option('-k', '--key', metavar='filename', required=True) @click.command(help='Dump private key from keypair') def getpriv(key, minimal): key = load_key(key) if key is None: print("Invalid passphrase") try: key.emit_private(minimal) except (RSAUsageError, ECDSAUsageError, Ed25519UsageError, X25519UsageError) as e: raise click.UsageError(e) @click.argument('imgfile') @click.option('-k', '--key', metavar='filename') @click.command(help="Check that signed image can be verified by given key") def verify(key, imgfile): key = load_key(key) if key else None ret, version = image.Image.verify(imgfile, key) if ret == image.VerifyResult.OK: print("Image was correctly validated") print("Image version: {}.{}.{}+{}".format(*version)) return elif ret == image.VerifyResult.INVALID_MAGIC: print("Invalid image magic; is this an MCUboot image?") elif ret == image.VerifyResult.INVALID_TLV_INFO_MAGIC: print("Invalid TLV info magic; is this an MCUboot image?") elif ret == image.VerifyResult.INVALID_HASH: print("Image has an invalid sha256 digest") elif ret == image.VerifyResult.INVALID_SIGNATURE: print("No signature found for the given key") else: print("Unknown return code: {}".format(ret)) sys.exit(1) def validate_version(ctx, param, value): try: decode_version(value) return value except ValueError as e: raise click.BadParameter("{}".format(e)) def validate_security_counter(ctx, param, value): if value is not None: if value.lower() == 'auto': return 'auto' else: try: return int(value, 0) except ValueError: raise click.BadParameter( "{} is not a valid integer. Please use code literals " "prefixed with 0b/0B, 0o/0O, or 0x/0X as necessary." .format(value)) def validate_header_size(ctx, param, value): min_hdr_size = image.IMAGE_HEADER_SIZE if value < min_hdr_size: raise click.BadParameter( "Minimum value for -H/--header-size is {}".format(min_hdr_size)) return value def get_dependencies(ctx, param, value): if value is not None: versions = [] images = re.findall(r"\((\d+)", value) if len(images) == 0: raise click.BadParameter( "Image dependency format is invalid: {}".format(value)) raw_versions = re.findall(r",\s*([0-9.+]+)\)", value) if len(images) != len(raw_versions): raise click.BadParameter( '''There's a mismatch between the number of dependency images and versions in: {}'''.format(value)) for raw_version in raw_versions: try: versions.append(decode_version(raw_version)) except ValueError as e: raise click.BadParameter("{}".format(e)) dependencies = dict() dependencies[image.DEP_IMAGES_KEY] = images dependencies[image.DEP_VERSIONS_KEY] = versions return dependencies class BasedIntParamType(click.ParamType): name = 'integer' def convert(self, value, param, ctx): try: return int(value, 0) except ValueError: self.fail('%s is not a valid integer. Please use code literals ' 'prefixed with 0b/0B, 0o/0O, or 0x/0X as necessary.' % value, param, ctx) @click.argument('outfile') @click.argument('infile') @click.option('-R', '--erased-val', type=click.Choice(['0', '0xff']), required=False, help='The value that is read back from erased flash.') @click.option('-x', '--hex-addr', type=BasedIntParamType(), required=False, help='Adjust address in hex output file.') @click.option('-L', '--load-addr', type=BasedIntParamType(), required=False, help='Load address for image when it should run from RAM.') @click.option('--save-enctlv', default=False, is_flag=True, help='When upgrading, save encrypted key TLVs instead of plain ' 'keys. Enable when BOOT_SWAP_SAVE_ENCTLV config option ' 'was set.') @click.option('-E', '--encrypt', metavar='filename', help='Encrypt image using the provided public key') @click.option('-e', '--endian', type=click.Choice(['little', 'big']), default='little', help="Select little or big endian") @click.option('--overwrite-only', default=False, is_flag=True, help='Use overwrite-only instead of swap upgrades') @click.option('--boot-record', metavar='sw_type', help='Create CBOR encoded ' 'boot record TLV. The sw_type represents the role of the ' 'software component (e.g. CoFM for coprocessor firmware). ' '[max. 12 characters]') @click.option('-M', '--max-sectors', type=int, help='When padding allow for this amount of sectors (defaults ' 'to 128)') @click.option('--confirm', default=False, is_flag=True, help='When padding the image, mark it as confirmed') @click.option('--pad', default=False, is_flag=True, help='Pad image to --slot-size bytes, adding trailer magic') @click.option('-S', '--slot-size', type=BasedIntParamType(), required=True, help='Size of the slot where the image will be written') @click.option('--pad-header', default=False, is_flag=True, help='Add --header-size zeroed bytes at the beginning of the ' 'image') @click.option('-H', '--header-size', callback=validate_header_size, type=BasedIntParamType(), required=True) @click.option('--pad-sig', default=False, is_flag=True, help='Add 0-2 bytes of padding to ECDSA signature ' '(for mcuboot <1.5)') @click.option('-d', '--dependencies', callback=get_dependencies, required=False, help='''Add dependence on another image, format: "(<image_ID>,<image_version>), ... "''') @click.option('-s', '--security-counter', callback=validate_security_counter, help='Specify the value of security counter. Use the `auto` ' 'keyword to automatically generate it from the image version.') @click.option('-v', '--version', callback=validate_version, required=True) @click.option('--align', type=click.Choice(['1', '2', '4', '8']), required=True) @click.option('--public-key-format', type=click.Choice(['hash', 'full']), default='hash', help='In what format to add the public key to ' 'the image manifest: full key or hash of the key.') @click.option('-k', '--key', metavar='filename') @click.command(help='''Create a signed or unsigned image\n INFILE and OUTFILE are parsed as Intel HEX if the params have .hex extension, otherwise binary format is used''') def sign(key, public_key_format, align, version, pad_sig, header_size, pad_header, slot_size, pad, confirm, max_sectors, overwrite_only, endian, encrypt, infile, outfile, dependencies, load_addr, hex_addr, erased_val, save_enctlv, security_counter, boot_record): img = image.Image(version=decode_version(version), header_size=header_size, pad_header=pad_header, pad=pad, confirm=confirm, align=int(align), slot_size=slot_size, max_sectors=max_sectors, overwrite_only=overwrite_only, endian=endian, load_addr=load_addr, erased_val=erased_val, save_enctlv=save_enctlv, security_counter=security_counter) img.load(infile) key = load_key(key) if key else None enckey = load_key(encrypt) if encrypt else None if enckey and key: if ((isinstance(key, keys.ECDSA256P1) and not isinstance(enckey, keys.ECDSA256P1Public)) or (isinstance(key, keys.RSA) and not isinstance(enckey, keys.RSAPublic))): # FIXME raise click.UsageError("Signing and encryption must use the same " "type of key") if pad_sig and hasattr(key, 'pad_sig'): key.pad_sig = True img.create(key, public_key_format, enckey, dependencies, boot_record) img.save(outfile, hex_addr) class AliasesGroup(click.Group): _aliases = { "create": "sign", } def list_commands(self, ctx): cmds = [k for k in self.commands] aliases = [k for k in self._aliases] return sorted(cmds + aliases) def get_command(self, ctx, cmd_name): rv = click.Group.get_command(self, ctx, cmd_name) if rv is not None: return rv if cmd_name in self._aliases: return click.Group.get_command(self, ctx, self._aliases[cmd_name]) return None @click.command(help='Print imgtool version information') def version(): print(imgtool_version) @click.command(cls=AliasesGroup, context_settings=dict(help_option_names=['-h', '--help'])) def imgtool(): pass imgtool.add_command(keygen) imgtool.add_command(getpub) imgtool.add_command(getpriv) imgtool.add_command(verify) imgtool.add_command(sign) imgtool.add_command(version) if __name__ == '__main__': imgtool() |