gen_kobject_placeholders.py 4.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2021 Intel Corporation
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. """
  7. Process ELF file to generate placeholders for kobject
  8. hash table and lookup functions produced by gperf,
  9. since their sizes depend on how many kobjects have
  10. been declared. The output header files will be used
  11. during linking for intermediate output binaries so
  12. that the addresses of these kobjects would remain
  13. the same during later stages of linking.
  14. """
  15. import sys
  16. import argparse
  17. import os
  18. from distutils.version import LooseVersion
  19. import elftools
  20. from elftools.elf.elffile import ELFFile
  21. if LooseVersion(elftools.__version__) < LooseVersion('0.24'):
  22. sys.exit("pyelftools is out of date, need version 0.24 or later")
  23. def write_define(out_fp, prefix, name, value):
  24. """Write the #define to output file"""
  25. define_name = f"KOBJECT_{prefix}_{name}"
  26. out_fp.write(f"#ifndef {define_name}\n")
  27. out_fp.write(f"#define {define_name} {value}\n")
  28. out_fp.write("#endif\n\n")
  29. def output_simple_header(one_sect):
  30. """Write the header for kobject section"""
  31. out_fn = os.path.join(args.outdir,
  32. f"linker-kobject-prebuilt-{one_sect['name']}.h")
  33. out_fp = open(out_fn, "w")
  34. if one_sect['exists']:
  35. align = one_sect['align']
  36. size = one_sect['size']
  37. prefix = one_sect['define_prefix']
  38. write_define(out_fp, prefix, 'ALIGN', align)
  39. write_define(out_fp, prefix, 'SZ', size)
  40. out_fp.close()
  41. def generate_linker_headers(obj):
  42. """Generate linker header files to be included by the linker script"""
  43. # Sections we are interested in
  44. sections = {
  45. ".data": {
  46. "name": "data",
  47. "define_prefix": "DATA",
  48. "exists": False,
  49. "multiplier": int(args.datapct) + 100,
  50. },
  51. ".rodata": {
  52. "name": "rodata",
  53. "define_prefix": "RODATA",
  54. "exists": False,
  55. "extra_bytes": args.rodata,
  56. },
  57. ".priv_stacks.noinit": {
  58. "name": "priv-stacks",
  59. "define_prefix": "PRIV_STACKS",
  60. "exists": False,
  61. },
  62. }
  63. for one_sect in obj.iter_sections():
  64. # REALLY NEED to match exact type as all other sections
  65. # (symbol, debug, etc.) are descendants where
  66. # isinstance() would match.
  67. if type(one_sect) is not elftools.elf.sections.Section: # pylint: disable=unidiomatic-typecheck
  68. continue
  69. name = one_sect.name
  70. if name in sections.keys():
  71. # Need section alignment and size
  72. sections[name]['align'] = one_sect['sh_addralign']
  73. sections[name]['size'] = one_sect['sh_size']
  74. sections[name]['exists'] = True
  75. if "multiplier" in sections[name]:
  76. sections[name]['size'] *= sections[name]['multiplier'] / 100
  77. sections[name]['size'] = int(sections[name]['size'])
  78. if "extra_bytes" in sections[name]:
  79. sections[name]['size'] += int(sections[name]['extra_bytes'])
  80. for one_sect in sections:
  81. output_simple_header(sections[one_sect])
  82. def parse_args():
  83. """Parse command line arguments"""
  84. global args
  85. parser = argparse.ArgumentParser(
  86. description=__doc__,
  87. formatter_class=argparse.RawDescriptionHelpFormatter)
  88. parser.add_argument("--object", required=True,
  89. help="Points to kobject_prebuilt_hash.c.obj")
  90. parser.add_argument("--outdir", required=True,
  91. help="Output directory (<build_dir>/include/generated)")
  92. parser.add_argument("--datapct", required=True,
  93. help="Multipler to the size of reserved space for DATA region")
  94. parser.add_argument("--rodata", required=True,
  95. help="Extra bytes to reserve for RODATA region")
  96. parser.add_argument("-v", "--verbose", action="store_true",
  97. help="Verbose messages")
  98. args = parser.parse_args()
  99. if "VERBOSE" in os.environ:
  100. args.verbose = 1
  101. def main():
  102. """Main program"""
  103. parse_args()
  104. with open(args.object, "rb") as obj_fp:
  105. obj = ELFFile(obj_fp)
  106. generate_linker_headers(obj)
  107. if __name__ == "__main__":
  108. main()