1 # SPDX-License-Identifier: GPL-2.0+
3 # Copyright (c) 2016 Google, Inc
13 from patman import command
14 from patman import tout
16 # Output directly (generally this is temporary)
19 # True to keep the output directory around after exiting
20 preserve_outdir = False
22 # Path to the Chrome OS chroot, if we know it
25 # Search paths to use for Filename(), used to find files
28 tool_search_paths = []
30 # Tools and the packages that contain them, on debian
35 # List of paths to use when looking for an input file
38 def PrepareOutputDir(dirname, preserve=False):
39 """Select an output directory, ensuring it exists.
41 This either creates a temporary directory or checks that the one supplied
42 by the user is valid. For a temporary directory, it makes a note to
43 remove it later if required.
46 dirname: a string, name of the output directory to use to store
47 intermediate and output files. If is None - create a temporary
49 preserve: a Boolean. If outdir above is None and preserve is False, the
50 created temporary directory will be destroyed on exit.
53 OSError: If it cannot create the output directory.
55 global outdir, preserve_outdir
57 preserve_outdir = dirname or preserve
60 if not os.path.isdir(outdir):
63 except OSError as err:
64 raise CmdError("Cannot make output directory '%s': '%s'" %
65 (outdir, err.strerror))
66 tout.Debug("Using output directory '%s'" % outdir)
68 outdir = tempfile.mkdtemp(prefix='binman.')
69 tout.Debug("Using temporary directory '%s'" % outdir)
71 def _RemoveOutputDir():
75 tout.Debug("Deleted temporary directory '%s'" % outdir)
78 def FinaliseOutputDir():
79 global outdir, preserve_outdir
81 """Tidy up: delete output directory if temporary and not preserved."""
82 if outdir and not preserve_outdir:
86 def GetOutputFilename(fname):
87 """Return a filename within the output directory.
90 fname: Filename to use for new file
93 The full path of the filename, within the output directory
95 return os.path.join(outdir, fname)
97 def _FinaliseForTest():
98 """Remove the output directory (for use by tests)"""
105 def SetInputDirs(dirname):
106 """Add a list of input directories, where input files are kept.
109 dirname: a list of paths to input directories to use for obtaining
110 files needed by binman to place in the image.
115 tout.Debug("Using input directories %s" % indir)
117 def GetInputFilename(fname, allow_missing=False):
118 """Return a filename for use as input.
121 fname: Filename to use for new file
122 allow_missing: True if the filename can be missing
125 The full path of the filename, within the input directory, or
128 if not indir or fname[:1] == '/':
130 for dirname in indir:
131 pathname = os.path.join(dirname, fname)
132 if os.path.exists(pathname):
137 raise ValueError("Filename '%s' not found in input path (%s) (cwd='%s')" %
138 (fname, ','.join(indir), os.getcwd()))
140 def GetInputFilenameGlob(pattern):
141 """Return a list of filenames for use as input.
144 pattern: Filename pattern to search for
147 A list of matching files in all input directories
150 return glob.glob(fname)
152 for dirname in indir:
153 pathname = os.path.join(dirname, pattern)
154 files += glob.glob(pathname)
157 def Align(pos, align):
160 pos = (pos + mask) & ~mask
163 def NotPowerOfTwo(num):
164 return num and (num & (num - 1))
166 def SetToolPaths(toolpaths):
167 """Set the path to search for tools
170 toolpaths: List of paths to search for tools executed by Run()
172 global tool_search_paths
174 tool_search_paths = toolpaths
176 def PathHasFile(path_spec, fname):
177 """Check if a given filename is in the PATH
180 path_spec: Value of PATH variable to check
181 fname: Filename to check
184 True if found, False if not
186 for dir in path_spec.split(':'):
187 if os.path.exists(os.path.join(dir, fname)):
191 def GetHostCompileTool(name):
192 """Get the host-specific version for a compile tool
194 This checks the environment variables that specify which version of
195 the tool should be used (e.g. ${HOSTCC}).
197 The following table lists the host-specific versions of the tools
198 this function resolves to:
200 Compile Tool | Host version
201 --------------+----------------
211 objcopy | ${HOSTOBJCOPY}
212 objdump | ${HOSTOBJDUMP}
216 name: Command name to run
219 host_name: Exact command name to run instead
220 extra_args: List of extra arguments to pass
224 if name in ('as', 'ld', 'cc', 'cpp', 'ar', 'nm', 'ldr', 'strip',
225 'objcopy', 'objdump', 'dtc'):
226 host_name, *host_args = env.get('HOST' + name.upper(), '').split(' ')
228 host_name, *host_args = env.get('HOSTCXX', '').split(' ')
231 return host_name, extra_args
234 def GetTargetCompileTool(name, cross_compile=None):
235 """Get the target-specific version for a compile tool
237 This first checks the environment variables that specify which
238 version of the tool should be used (e.g. ${CC}). If those aren't
239 specified, it checks the CROSS_COMPILE variable as a prefix for the
240 tool with some substitutions (e.g. "${CROSS_COMPILE}gcc" for cc).
242 The following table lists the target-specific versions of the tools
243 this function resolves to:
245 Compile Tool | First choice | Second choice
246 --------------+----------------+----------------------------
247 as | ${AS} | ${CROSS_COMPILE}as
248 ld | ${LD} | ${CROSS_COMPILE}ld.bfd
249 | | or ${CROSS_COMPILE}ld
250 cc | ${CC} | ${CROSS_COMPILE}gcc
251 cpp | ${CPP} | ${CROSS_COMPILE}gcc -E
252 c++ | ${CXX} | ${CROSS_COMPILE}g++
253 ar | ${AR} | ${CROSS_COMPILE}ar
254 nm | ${NM} | ${CROSS_COMPILE}nm
255 ldr | ${LDR} | ${CROSS_COMPILE}ldr
256 strip | ${STRIP} | ${CROSS_COMPILE}strip
257 objcopy | ${OBJCOPY} | ${CROSS_COMPILE}objcopy
258 objdump | ${OBJDUMP} | ${CROSS_COMPILE}objdump
259 dtc | ${DTC} | (no CROSS_COMPILE version)
262 name: Command name to run
265 target_name: Exact command name to run instead
266 extra_args: List of extra arguments to pass
268 env = dict(os.environ)
272 if name in ('as', 'ld', 'cc', 'cpp', 'ar', 'nm', 'ldr', 'strip',
273 'objcopy', 'objdump', 'dtc'):
274 target_name, *extra_args = env.get(name.upper(), '').split(' ')
276 target_name, *extra_args = env.get('CXX', '').split(' ')
279 return target_name, extra_args
281 if cross_compile is None:
282 cross_compile = env.get('CROSS_COMPILE', '')
283 if not cross_compile:
286 if name in ('as', 'ar', 'nm', 'ldr', 'strip', 'objcopy', 'objdump'):
287 target_name = cross_compile + name
290 if Run(cross_compile + 'ld.bfd', '-v'):
291 target_name = cross_compile + 'ld.bfd'
293 target_name = cross_compile + 'ld'
295 target_name = cross_compile + 'gcc'
297 target_name = cross_compile + 'gcc'
300 target_name = cross_compile + 'g++'
303 return target_name, extra_args
305 def Run(name, *args, **kwargs):
306 """Run a tool with some arguments
308 This runs a 'tool', which is a program used by binman to process files and
309 perhaps produce some output. Tools can be located on the PATH or in a
313 name: Command name to run
314 args: Arguments to the tool
315 for_host: True to resolve the command to the version for the host
316 for_target: False to run the command as-is, without resolving it
317 to the version for the compile target
323 binary = kwargs.get('binary')
324 for_host = kwargs.get('for_host', False)
325 for_target = kwargs.get('for_target', not for_host)
327 if tool_search_paths:
328 env = dict(os.environ)
329 env['PATH'] = ':'.join(tool_search_paths) + ':' + env['PATH']
331 name, extra_args = GetTargetCompileTool(name)
332 args = tuple(extra_args) + args
334 name, extra_args = GetHostCompileTool(name)
335 args = tuple(extra_args) + args
336 all_args = (name,) + args
337 result = command.RunPipe([all_args], capture=True, capture_stderr=True,
338 env=env, raise_on_error=False, binary=binary)
339 if result.return_code:
340 raise Exception("Error %d running '%s': %s" %
341 (result.return_code,' '.join(all_args),
345 if env and not PathHasFile(env['PATH'], name):
346 msg = "Please install tool '%s'" % name
347 package = packages.get(name)
349 msg += " (e.g. from package '%s')" % package
350 raise ValueError(msg)
354 """Resolve a file path to an absolute path.
356 If fname starts with ##/ and chroot is available, ##/ gets replaced with
357 the chroot path. If chroot is not available, this file name can not be
358 resolved, `None' is returned.
360 If fname is not prepended with the above prefix, and is not an existing
361 file, the actual file name is retrieved from the passed in string and the
362 search_paths directories (if any) are searched to for the file. If found -
363 the path to the found file is returned, `None' is returned otherwise.
366 fname: a string, the path to resolve.
369 Absolute path to the file or None if not found.
371 if fname.startswith('##/'):
373 fname = os.path.join(chroot_path, fname[3:])
377 # Search for a pathname that exists, and return it if found
378 if fname and not os.path.exists(fname):
379 for path in search_paths:
380 pathname = os.path.join(path, os.path.basename(fname))
381 if os.path.exists(pathname):
384 # If not found, just return the standard, unchanged path
387 def ReadFile(fname, binary=True):
388 """Read and return the contents of a file.
391 fname: path to filename to read, where ## signifiies the chroot.
394 data read from file, as a string.
396 with open(Filename(fname), binary and 'rb' or 'r') as fd:
398 #self._out.Info("Read file '%s' size %d (%#0x)" %
399 #(fname, len(data), len(data)))
402 def WriteFile(fname, data, binary=True):
403 """Write data into a file.
406 fname: path to filename to write
407 data: data to write to file, as a string
409 #self._out.Info("Write file '%s' size %d (%#0x)" %
410 #(fname, len(data), len(data)))
411 with open(Filename(fname), binary and 'wb' or 'w') as fd:
414 def GetBytes(byte, size):
415 """Get a string of bytes of a given size
417 This handles the unfortunate different between Python 2 and Python 2.
420 byte: Numeric byte value to use
421 size: Size of bytes/string to return
424 A bytes type with 'byte' repeated 'size' times
426 if sys.version_info[0] >= 3:
427 data = bytes([byte]) * size
429 data = chr(byte) * size
433 """Make sure a value is a unicode string
435 This allows some amount of compatibility between Python 2 and Python3. For
436 the former, it returns a unicode object.
439 val: string or unicode object
442 unicode version of val
444 if sys.version_info[0] >= 3:
446 return val if isinstance(val, unicode) else val.decode('utf-8')
448 def FromUnicode(val):
449 """Make sure a value is a non-unicode string
451 This allows some amount of compatibility between Python 2 and Python3. For
452 the former, it converts a unicode object to a string.
455 val: string or unicode object
458 non-unicode version of val
460 if sys.version_info[0] >= 3:
462 return val if isinstance(val, str) else val.encode('utf-8')
465 """Convert a character to an ASCII value
467 This is useful because in Python 2 bytes is an alias for str, but in
468 Python 3 they are separate types. This function converts the argument to
469 an ASCII value in either case.
472 ch: A string (Python 2) or byte (Python 3) value
475 integer ASCII value for ch
477 return ord(ch) if type(ch) == str else ch
480 """Convert a byte to a character
482 This is useful because in Python 2 bytes is an alias for str, but in
483 Python 3 they are separate types. This function converts an ASCII value to
484 a value with the appropriate type in either case.
487 byte: A byte or str value
489 return chr(byte) if type(byte) != str else byte
491 def ToChars(byte_list):
492 """Convert a list of bytes to a str/bytes type
495 byte_list: List of ASCII values representing the string
498 string made by concatenating all the ASCII values
500 return ''.join([chr(byte) for byte in byte_list])
503 """Convert a str type into a bytes type
506 string: string to convert
509 Python 3: A bytes type
510 Python 2: A string type
512 if sys.version_info[0] >= 3:
513 return string.encode('utf-8')
517 """Convert a bytes type into a str type
520 bval: bytes value to convert
523 Python 3: A bytes type
524 Python 2: A string type
526 return bval.decode('utf-8')
528 def Compress(indata, algo, with_header=True):
529 """Compress some data using a given algorithm
531 Note that for lzma this uses an old version of the algorithm, not that
534 This requires 'lz4' and 'lzma_alone' tools. It also requires an output
535 directory to be previously set up, by calling PrepareOutputDir().
538 indata: Input data to compress
539 algo: Algorithm to use ('none', 'gzip', 'lz4' or 'lzma')
546 fname = GetOutputFilename('%s.comp.tmp' % algo)
547 WriteFile(fname, indata)
549 data = Run('lz4', '--no-frame-crc', '-c', fname, binary=True)
550 # cbfstool uses a very old version of lzma
552 outfname = GetOutputFilename('%s.comp.otmp' % algo)
553 Run('lzma_alone', 'e', fname, outfname, '-lc1', '-lp0', '-pb0', '-d8')
554 data = ReadFile(outfname)
556 data = Run('gzip', '-c', fname, binary=True)
558 raise ValueError("Unknown algorithm '%s'" % algo)
560 hdr = struct.pack('<I', len(data))
564 def Decompress(indata, algo, with_header=True):
565 """Decompress some data using a given algorithm
567 Note that for lzma this uses an old version of the algorithm, not that
570 This requires 'lz4' and 'lzma_alone' tools. It also requires an output
571 directory to be previously set up, by calling PrepareOutputDir().
574 indata: Input data to decompress
575 algo: Algorithm to use ('none', 'gzip', 'lz4' or 'lzma')
583 data_len = struct.unpack('<I', indata[:4])[0]
584 indata = indata[4:4 + data_len]
585 fname = GetOutputFilename('%s.decomp.tmp' % algo)
586 with open(fname, 'wb') as fd:
589 data = Run('lz4', '-dc', fname, binary=True)
591 outfname = GetOutputFilename('%s.decomp.otmp' % algo)
592 Run('lzma_alone', 'd', fname, outfname)
593 data = ReadFile(outfname, binary=True)
595 data = Run('gzip', '-cd', fname, binary=True)
597 raise ValueError("Unknown algorithm '%s'" % algo)
600 CMD_CREATE, CMD_DELETE, CMD_ADD, CMD_REPLACE, CMD_EXTRACT = range(5)
603 CMD_CREATE: 'create',
604 CMD_DELETE: 'delete',
606 CMD_REPLACE: 'replace',
607 CMD_EXTRACT: 'extract',
610 def RunIfwiTool(ifwi_file, cmd, fname=None, subpart=None, entry_name=None):
611 """Run ifwitool with the given arguments:
614 ifwi_file: IFWI file to operation on
615 cmd: Command to execute (CMD_...)
616 fname: Filename of file to add/replace/extract/create (None for
618 subpart: Name of sub-partition to operation on (None for CMD_CREATE)
619 entry_name: Name of directory entry to operate on, or None if none
621 args = ['ifwitool', ifwi_file]
622 args.append(IFWITOOL_CMDS[cmd])
624 args += ['-f', fname]
626 args += ['-n', subpart]
628 args += ['-d', '-e', entry_name]
632 """Convert an integer value (or None) to a string
635 hex value, or 'None' if the value is None
637 return 'None' if val is None else '%#x' % val
640 """Return the size of an object in hex
643 hex value of size, or 'None' if the value is None
645 return 'None' if val is None else '%#x' % len(val)