gen_offset_header.py 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2017 Intel Corporation.
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. #
  7. """
  8. This script scans a specified object file and generates a header file
  9. that defined macros for the offsets of various found structure members
  10. (particularly symbols ending with ``_OFFSET`` or ``_SIZEOF``), primarily
  11. intended for use in assembly code.
  12. """
  13. from elftools.elf.elffile import ELFFile
  14. from elftools.elf.sections import SymbolTableSection
  15. import argparse
  16. import sys
  17. def get_symbol_table(obj):
  18. for section in obj.iter_sections():
  19. if isinstance(section, SymbolTableSection):
  20. return section
  21. raise LookupError("Could not find symbol table")
  22. def gen_offset_header(input_name, input_file, output_file):
  23. include_guard = "__GEN_OFFSETS_H__"
  24. output_file.write("""/* THIS FILE IS AUTO GENERATED. PLEASE DO NOT EDIT.
  25. *
  26. * This header file provides macros for the offsets of various structure
  27. * members. These offset macros are primarily intended to be used in
  28. * assembly code.
  29. */
  30. #ifndef %s
  31. #define %s\n\n""" % (include_guard, include_guard))
  32. obj = ELFFile(input_file)
  33. for sym in get_symbol_table(obj).iter_symbols():
  34. if isinstance(sym.name, bytes):
  35. sym.name = str(sym.name, 'ascii')
  36. if not sym.name.endswith(('_OFFSET', '_SIZEOF')):
  37. continue
  38. if sym.entry['st_shndx'] != 'SHN_ABS':
  39. continue
  40. if sym.entry['st_info']['bind'] != 'STB_GLOBAL':
  41. continue
  42. output_file.write(
  43. "#define %s 0x%x\n" %
  44. (sym.name, sym.entry['st_value']))
  45. output_file.write("\n#endif /* %s */\n" % include_guard)
  46. return 0
  47. if __name__ == '__main__':
  48. parser = argparse.ArgumentParser(
  49. description=__doc__,
  50. formatter_class=argparse.RawDescriptionHelpFormatter)
  51. parser.add_argument(
  52. "-i",
  53. "--input",
  54. required=True,
  55. help="Input object file")
  56. parser.add_argument(
  57. "-o",
  58. "--output",
  59. required=True,
  60. help="Output header file")
  61. args = parser.parse_args()
  62. input_file = open(args.input, 'rb')
  63. output_file = open(args.output, 'w')
  64. ret = gen_offset_header(args.input, input_file, output_file)
  65. sys.exit(ret)