gen_app_partitions.py 9.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2018 Intel Corporation
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. """
  7. Script to generate a linker script organizing application memory partitions
  8. Applications may declare build-time memory domain partitions with
  9. K_APPMEM_PARTITION_DEFINE, and assign globals to them using K_APP_DMEM
  10. or K_APP_BMEM macros. For each of these partitions, we need to
  11. route all their data into appropriately-sized memory areas which meet the
  12. size/alignment constraints of the memory protection hardware.
  13. This linker script is created very early in the build process, before
  14. the build attempts to link the kernel binary, as the linker script this
  15. tool generates is a necessary pre-condition for kernel linking. We extract
  16. the set of memory partitions to generate by looking for variables which
  17. have been assigned to input sections that follow a defined naming convention.
  18. We also allow entire libraries to be pulled in to assign their globals
  19. to a particular memory partition via command line directives.
  20. This script takes as inputs:
  21. - The base directory to look for compiled objects
  22. - key/value pairs mapping static library files to what partitions their globals
  23. should end up in.
  24. The output is a linker script fragment containing the definition of the
  25. app shared memory section, which is further divided, for each partition
  26. found, into data and BSS for each partition.
  27. """
  28. import sys
  29. import argparse
  30. import os
  31. import re
  32. from collections import OrderedDict
  33. from elftools.elf.elffile import ELFFile
  34. from elftools.elf.sections import SymbolTableSection
  35. SZ = 'size'
  36. SRC = 'sources'
  37. LIB = 'libraries'
  38. # This script will create sections and linker variables to place the
  39. # application shared memory partitions.
  40. # these are later read by the macros defined in app_memdomain.h for
  41. # initialization purpose when USERSPACE is enabled.
  42. data_template = """
  43. /* Auto generated code do not modify */
  44. SMEM_PARTITION_ALIGN(z_data_smem_{0}_bss_end - z_data_smem_{0}_part_start);
  45. z_data_smem_{0}_part_start = .;
  46. KEEP(*(data_smem_{0}_data*))
  47. """
  48. library_data_template = """
  49. *{0}:*(.data .data.*)
  50. """
  51. bss_template = """
  52. z_data_smem_{0}_bss_start = .;
  53. KEEP(*(data_smem_{0}_bss*))
  54. """
  55. library_bss_template = """
  56. *{0}:*(.bss .bss.* COMMON COMMON.*)
  57. """
  58. footer_template = """
  59. z_data_smem_{0}_bss_end = .;
  60. SMEM_PARTITION_ALIGN(z_data_smem_{0}_bss_end - z_data_smem_{0}_part_start);
  61. z_data_smem_{0}_part_end = .;
  62. """
  63. linker_start_seq = """
  64. SECTION_PROLOGUE(_APP_SMEM{1}_SECTION_NAME,,)
  65. {{
  66. APP_SHARED_ALIGN;
  67. _app_smem{0}_start = .;
  68. """
  69. linker_end_seq = """
  70. APP_SHARED_ALIGN;
  71. _app_smem{0}_end = .;
  72. }} GROUP_DATA_LINK_IN(RAMABLE_REGION, ROMABLE_REGION)
  73. """
  74. empty_app_smem = """
  75. SECTION_PROLOGUE(_APP_SMEM{1}_SECTION_NAME,,)
  76. {{
  77. _app_smem{0}_start = .;
  78. _app_smem{0}_end = .;
  79. }} GROUP_DATA_LINK_IN(RAMABLE_REGION, ROMABLE_REGION)
  80. """
  81. size_cal_string = """
  82. z_data_smem_{0}_part_size = z_data_smem_{0}_part_end - z_data_smem_{0}_part_start;
  83. z_data_smem_{0}_bss_size = z_data_smem_{0}_bss_end - z_data_smem_{0}_bss_start;
  84. """
  85. section_regex = re.compile(r'data_smem_([A-Za-z0-9_]*)_(data|bss)*')
  86. elf_part_size_regex = re.compile(r'z_data_smem_(.*)_part_size')
  87. def find_obj_file_partitions(filename, partitions):
  88. with open(filename, 'rb') as f:
  89. full_lib = ELFFile(f)
  90. if not full_lib:
  91. sys.exit("Error parsing file: " + filename)
  92. sections = [x for x in full_lib.iter_sections()]
  93. for section in sections:
  94. m = section_regex.match(section.name)
  95. if not m:
  96. continue
  97. partition_name = m.groups()[0]
  98. if partition_name not in partitions:
  99. partitions[partition_name] = {SZ: section.header.sh_size}
  100. if args.verbose:
  101. partitions[partition_name][SRC] = filename
  102. else:
  103. partitions[partition_name][SZ] += section.header.sh_size
  104. return partitions
  105. def parse_obj_files(partitions):
  106. # Iterate over all object files to find partitions
  107. for dirpath, _, files in os.walk(args.directory):
  108. for filename in files:
  109. if re.match(r".*\.obj$", filename):
  110. fullname = os.path.join(dirpath, filename)
  111. find_obj_file_partitions(fullname, partitions)
  112. def parse_elf_file(partitions):
  113. with open(args.elf, 'rb') as f:
  114. elffile = ELFFile(f)
  115. symbol_tbls = [s for s in elffile.iter_sections()
  116. if isinstance(s, SymbolTableSection)]
  117. for section in symbol_tbls:
  118. for symbol in section.iter_symbols():
  119. if symbol['st_shndx'] != "SHN_ABS":
  120. continue
  121. x = elf_part_size_regex.match(symbol.name)
  122. if not x:
  123. continue
  124. partition_name = x.groups()[0]
  125. size = symbol['st_value']
  126. if partition_name not in partitions:
  127. partitions[partition_name] = {SZ: size}
  128. if args.verbose:
  129. partitions[partition_name][SRC] = args.elf
  130. else:
  131. partitions[partition_name][SZ] += size
  132. def generate_final_linker(linker_file, partitions, lnkr_sect=""):
  133. string = ""
  134. if len(partitions) > 0:
  135. string = linker_start_seq.format(lnkr_sect, lnkr_sect.upper())
  136. size_string = ''
  137. for partition, item in partitions.items():
  138. string += data_template.format(partition)
  139. if LIB in item:
  140. for lib in item[LIB]:
  141. string += library_data_template.format(lib)
  142. string += bss_template.format(partition, lnkr_sect)
  143. if LIB in item:
  144. for lib in item[LIB]:
  145. string += library_bss_template.format(lib)
  146. string += footer_template.format(partition)
  147. size_string += size_cal_string.format(partition)
  148. string += linker_end_seq.format(lnkr_sect)
  149. string += size_string
  150. else:
  151. string = empty_app_smem.format(lnkr_sect, lnkr_sect.upper())
  152. with open(linker_file, "w") as fw:
  153. fw.write(string)
  154. def parse_args():
  155. global args
  156. parser = argparse.ArgumentParser(
  157. description=__doc__,
  158. formatter_class=argparse.RawDescriptionHelpFormatter)
  159. parser.add_argument("-d", "--directory", required=False, default=None,
  160. help="Root build directory")
  161. parser.add_argument("-e", "--elf", required=False, default=None,
  162. help="ELF file")
  163. parser.add_argument("-o", "--output", required=False,
  164. help="Output ld file")
  165. parser.add_argument("-v", "--verbose", action="count", default=0,
  166. help="Verbose Output")
  167. parser.add_argument("-l", "--library", nargs=2, action="append", default=[],
  168. metavar=("LIBRARY", "PARTITION"),
  169. help="Include globals for a particular library or object filename into a designated partition")
  170. parser.add_argument("--pinoutput", required=False,
  171. help="Output ld file for pinned sections")
  172. parser.add_argument("--pinpartitions", action="store", required=False, default="",
  173. help="Comma separated names of partitions to be pinned in physical memory")
  174. args = parser.parse_args()
  175. def main():
  176. parse_args()
  177. partitions = {}
  178. if args.directory is not None:
  179. parse_obj_files(partitions)
  180. elif args.elf is not None:
  181. parse_elf_file(partitions)
  182. else:
  183. return
  184. for lib, ptn in args.library:
  185. if ptn not in partitions:
  186. partitions[ptn] = {}
  187. if LIB not in partitions[ptn]:
  188. partitions[ptn][LIB] = [lib]
  189. else:
  190. partitions[ptn][LIB].append(lib)
  191. if args.pinoutput:
  192. pin_part_names = args.pinpartitions.split(',')
  193. generic_partitions = {key: value for key, value in partitions.items()
  194. if key not in pin_part_names}
  195. pinned_partitions = {key: value for key, value in partitions.items()
  196. if key in pin_part_names}
  197. else:
  198. generic_partitions = partitions
  199. # Sample partitions.items() list before sorting:
  200. # [ ('part1', {'size': 64}), ('part3', {'size': 64}, ...
  201. # ('part0', {'size': 334}) ]
  202. decreasing_tuples = sorted(generic_partitions.items(),
  203. key=lambda x: (x[1][SZ], x[0]), reverse=True)
  204. partsorted = OrderedDict(decreasing_tuples)
  205. generate_final_linker(args.output, partsorted)
  206. if args.verbose:
  207. print("Partitions retrieved:")
  208. for key in partsorted:
  209. print(" {0}: size {1}: {2}".format(key,
  210. partsorted[key][SZ],
  211. partsorted[key][SRC]))
  212. if args.pinoutput:
  213. decreasing_tuples = sorted(pinned_partitions.items(),
  214. key=lambda x: (x[1][SZ], x[0]), reverse=True)
  215. partsorted = OrderedDict(decreasing_tuples)
  216. generate_final_linker(args.pinoutput, partsorted, lnkr_sect="_pinned")
  217. if args.verbose:
  218. print("Pinned partitions retrieved:")
  219. for key in partsorted:
  220. print(" {0}: size {1}: {2}".format(key,
  221. partsorted[key][SZ],
  222. partsorted[key][SRC]))
  223. if __name__ == '__main__':
  224. main()