file2hex.py 2.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2017 Intel Corporation
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. """Convert a file to a list of hex characters
  7. The list of hex characters can then be included to a source file. Optionally,
  8. the output can be compressed.
  9. """
  10. import argparse
  11. import codecs
  12. import gzip
  13. import io
  14. def parse_args():
  15. global args
  16. parser = argparse.ArgumentParser(
  17. description=__doc__,
  18. formatter_class=argparse.RawDescriptionHelpFormatter)
  19. parser.add_argument("-f", "--file", required=True, help="Input file")
  20. parser.add_argument("-g", "--gzip", action="store_true",
  21. help="Compress the file using gzip before output")
  22. parser.add_argument("-t", "--gzip-mtime", type=int, default=0,
  23. nargs='?', const=None,
  24. help="""mtime seconds in the gzip header.
  25. Defaults to zero to keep builds deterministic. For
  26. current date and time (= "now") use this option
  27. without any value.""")
  28. args = parser.parse_args()
  29. def get_nice_string(list_or_iterator):
  30. return ", ".join("0x" + str(x) for x in list_or_iterator)
  31. def make_hex(chunk):
  32. hexdata = codecs.encode(chunk, 'hex').decode("utf-8")
  33. hexlist = map(''.join, zip(*[iter(hexdata)] * 2))
  34. print(get_nice_string(hexlist) + ',')
  35. def main():
  36. parse_args()
  37. if args.gzip:
  38. with io.BytesIO() as content:
  39. with open(args.file, 'rb') as fg:
  40. with gzip.GzipFile(fileobj=content, mode='w',
  41. mtime=args.gzip_mtime,
  42. compresslevel=9) as gz_obj:
  43. gz_obj.write(fg.read())
  44. content.seek(0)
  45. for chunk in iter(lambda: content.read(8), b''):
  46. make_hex(chunk)
  47. else:
  48. with open(args.file, "rb") as fp:
  49. for chunk in iter(lambda: fp.read(8), b''):
  50. make_hex(chunk)
  51. if __name__ == "__main__":
  52. main()