gen_relocate_app.py 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2018 Intel Corporation.
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. #
  7. """
  8. This script will relocate .text, .rodata, .data and .bss sections from required files
  9. and places it in the required memory region. This memory region and file
  10. are given to this python script in the form of a string.
  11. Example of such a string would be::
  12. SRAM2:/home/xyz/zephyr/samples/hello_world/src/main.c,\
  13. SRAM1:/home/xyz/zephyr/samples/hello_world/src/main2.c
  14. To invoke this script::
  15. python3 gen_relocate_app.py -i input_string -o generated_linker -c generated_code
  16. Configuration that needs to be sent to the python script.
  17. - If the memory is like SRAM1/SRAM2/CCD/AON then place full object in
  18. the sections
  19. - If the memory type is appended with _DATA / _TEXT/ _RODATA/ _BSS only the
  20. selected memory is placed in the required memory region. Others are
  21. ignored.
  22. Multiple regions can be appended together like SRAM2_DATA_BSS
  23. this will place data and bss inside SRAM2.
  24. """
  25. import sys
  26. import argparse
  27. import os
  28. import glob
  29. import warnings
  30. from elftools.elf.elffile import ELFFile
  31. # This script will create linker comands for text,rodata data, bss section relocation
  32. PRINT_TEMPLATE = """
  33. KEEP(*({0}))
  34. """
  35. SECTION_LOAD_MEMORY_SEQ = """
  36. __{0}_{1}_rom_start = LOADADDR(_{2}_{3}_SECTION_NAME);
  37. """
  38. LOAD_ADDRESS_LOCATION_FLASH = """
  39. #ifdef CONFIG_XIP
  40. GROUP_DATA_LINK_IN({0}, FLASH)
  41. #else
  42. GROUP_DATA_LINK_IN({0}, {0})
  43. #endif
  44. """
  45. LOAD_ADDRESS_LOCATION_BSS = "GROUP_LINK_IN({0})"
  46. MPU_RO_REGION_START = """
  47. _{0}_mpu_ro_region_start = ORIGIN({1});
  48. """
  49. MPU_RO_REGION_END = """
  50. _{0}_mpu_ro_region_end = .;
  51. """
  52. # generic section creation format
  53. LINKER_SECTION_SEQ = """
  54. /* Linker section for memory region {2} for {3} section */
  55. SECTION_PROLOGUE(_{2}_{3}_SECTION_NAME,,)
  56. {{
  57. . = ALIGN(4);
  58. {4}
  59. . = ALIGN(4);
  60. }} {5}
  61. __{0}_{1}_end = .;
  62. __{0}_{1}_start = ADDR(_{2}_{3}_SECTION_NAME);
  63. __{0}_{1}_size = SIZEOF(_{2}_{3}_SECTION_NAME);
  64. """
  65. LINKER_SECTION_SEQ_MPU = """
  66. /* Linker section for memory region {2} for {3} section */
  67. SECTION_PROLOGUE(_{2}_{3}_SECTION_NAME,,)
  68. {{
  69. __{0}_{1}_start = .;
  70. {4}
  71. #if {6}
  72. . = ALIGN({6});
  73. #else
  74. MPU_ALIGN(__{0}_{1}_size);
  75. #endif
  76. __{0}_{1}_end = .;
  77. }} {5}
  78. __{0}_{1}_size = __{0}_{1}_end - __{0}_{1}_start;
  79. """
  80. SOURCE_CODE_INCLUDES = """
  81. /* Auto generated code. Do not modify.*/
  82. #include <zephyr.h>
  83. #include <linker/linker-defs.h>
  84. #include <kernel_structs.h>
  85. #include <string.h>
  86. """
  87. EXTERN_LINKER_VAR_DECLARATION = """
  88. extern char __{0}_{1}_start[];
  89. extern char __{0}_{1}_rom_start[];
  90. extern char __{0}_{1}_size[];
  91. """
  92. DATA_COPY_FUNCTION = """
  93. void data_copy_xip_relocation(void)
  94. {{
  95. {0}
  96. }}
  97. """
  98. BSS_ZEROING_FUNCTION = """
  99. void bss_zeroing_relocation(void)
  100. {{
  101. {0}
  102. }}
  103. """
  104. MEMCPY_TEMPLATE = """
  105. (void)memcpy(&__{0}_{1}_start, &__{0}_{1}_rom_start,
  106. (uint32_t) &__{0}_{1}_size);
  107. """
  108. MEMSET_TEMPLATE = """
  109. (void)memset(&__{0}_bss_start, 0,
  110. (uint32_t) &__{0}_bss_size);
  111. """
  112. def find_sections(filename, full_list_of_sections):
  113. with open(filename, 'rb') as obj_file_desc:
  114. full_lib = ELFFile(obj_file_desc)
  115. if not full_lib:
  116. sys.exit("Error parsing file: " + filename)
  117. sections = [x for x in full_lib.iter_sections()]
  118. for section in sections:
  119. if ".text." in section.name:
  120. full_list_of_sections["text"].append(section.name)
  121. if ".rodata." in section.name:
  122. full_list_of_sections["rodata"].append(section.name)
  123. if ".data." in section.name:
  124. full_list_of_sections["data"].append(section.name)
  125. if ".bss." in section.name:
  126. full_list_of_sections["bss"].append(section.name)
  127. # Common variables will be placed in the .bss section
  128. # only after linking in the final executable. This "if" finds
  129. # common symbols and warns the user of the problem.
  130. # The solution to which is simply assigning a 0 to
  131. # bss variable and it will go to the required place.
  132. if ".symtab" in section.name:
  133. symbols = [x for x in section.iter_symbols()]
  134. for symbol in symbols:
  135. if symbol.entry["st_shndx"] == 'SHN_COMMON':
  136. warnings.warn("Common variable found. Move "+
  137. symbol.name + " to bss by assigning it to 0/NULL")
  138. return full_list_of_sections
  139. def assign_to_correct_mem_region(memory_type,
  140. full_list_of_sections, complete_list_of_sections):
  141. all_regions = False
  142. iteration_sections = {"text": False, "rodata": False, "data": False, "bss": False}
  143. if "_TEXT" in memory_type:
  144. iteration_sections["text"] = True
  145. memory_type = memory_type.replace("_TEXT", "")
  146. if "_RODATA" in memory_type:
  147. iteration_sections["rodata"] = True
  148. memory_type = memory_type.replace("_RODATA", "")
  149. if "_DATA" in memory_type:
  150. iteration_sections["data"] = True
  151. memory_type = memory_type.replace("_DATA", "")
  152. if "_BSS" in memory_type:
  153. iteration_sections["bss"] = True
  154. memory_type = memory_type.replace("_BSS", "")
  155. if not (iteration_sections["data"] or iteration_sections["bss"] or
  156. iteration_sections["text"] or iteration_sections["rodata"]):
  157. all_regions = True
  158. pos = memory_type.find('_')
  159. if pos in range(len(memory_type)):
  160. align_size = int(memory_type[pos+1:])
  161. memory_type = memory_type[:pos]
  162. mpu_align[memory_type] = align_size
  163. if memory_type in complete_list_of_sections:
  164. for iter_sec in ["text", "rodata", "data", "bss"]:
  165. if ((iteration_sections[iter_sec] or all_regions) and
  166. full_list_of_sections[iter_sec] != []):
  167. complete_list_of_sections[memory_type][iter_sec] += (
  168. full_list_of_sections[iter_sec])
  169. else:
  170. # new memory type was found. in which case just assign the
  171. # full_list_of_sections to the memorytype dict
  172. tmp_list = {"text": [], "rodata": [], "data": [], "bss": []}
  173. for iter_sec in ["text", "rodata", "data", "bss"]:
  174. if ((iteration_sections[iter_sec] or all_regions) and
  175. full_list_of_sections[iter_sec] != []):
  176. tmp_list[iter_sec] = full_list_of_sections[iter_sec]
  177. complete_list_of_sections[memory_type] = tmp_list
  178. return complete_list_of_sections
  179. def print_linker_sections(list_sections):
  180. print_string = ''
  181. for section in sorted(list_sections):
  182. print_string += PRINT_TEMPLATE.format(section)
  183. return print_string
  184. def string_create_helper(region, memory_type,
  185. full_list_of_sections, load_address_in_flash):
  186. linker_string = ''
  187. if load_address_in_flash:
  188. load_address_string = LOAD_ADDRESS_LOCATION_FLASH.format(memory_type)
  189. else:
  190. load_address_string = LOAD_ADDRESS_LOCATION_BSS.format(memory_type)
  191. if full_list_of_sections[region]:
  192. # Create a complete list of funcs/ variables that goes in for this
  193. # memory type
  194. tmp = print_linker_sections(full_list_of_sections[region])
  195. if memory_type == 'SRAM' and region in {'data', 'bss'}:
  196. linker_string += tmp
  197. else:
  198. if memory_type != 'SRAM' and region == 'rodata':
  199. align_size = 0
  200. if memory_type in mpu_align.keys():
  201. align_size = mpu_align[memory_type]
  202. linker_string += LINKER_SECTION_SEQ_MPU.format(memory_type.lower(), region, memory_type.upper(),
  203. region.upper(), tmp, load_address_string, align_size)
  204. else:
  205. if memory_type == 'SRAM' and region == 'text':
  206. align_size = 0
  207. linker_string += LINKER_SECTION_SEQ_MPU.format(memory_type.lower(), region, memory_type.upper(),
  208. region.upper(), tmp, load_address_string, align_size)
  209. else:
  210. linker_string += LINKER_SECTION_SEQ.format(memory_type.lower(), region, memory_type.upper(),
  211. region.upper(), tmp, load_address_string)
  212. if load_address_in_flash:
  213. linker_string += SECTION_LOAD_MEMORY_SEQ.format(memory_type.lower(), region, memory_type.upper(),
  214. region.upper())
  215. return linker_string
  216. def generate_linker_script(linker_file, sram_data_linker_file, sram_bss_linker_file, complete_list_of_sections):
  217. gen_string = ''
  218. gen_string_sram_data = ''
  219. gen_string_sram_bss = ''
  220. for memory_type, full_list_of_sections in \
  221. sorted(complete_list_of_sections.items()):
  222. if memory_type != "SRAM":
  223. gen_string += MPU_RO_REGION_START.format(memory_type.lower(), memory_type.upper())
  224. gen_string += string_create_helper("text", memory_type, full_list_of_sections, 1)
  225. gen_string += string_create_helper("rodata", memory_type, full_list_of_sections, 1)
  226. if memory_type != "SRAM":
  227. gen_string += MPU_RO_REGION_END.format(memory_type.lower())
  228. if memory_type == 'SRAM':
  229. gen_string_sram_data += string_create_helper("data", memory_type, full_list_of_sections, 1)
  230. gen_string_sram_bss += string_create_helper("bss", memory_type, full_list_of_sections, 0)
  231. else:
  232. gen_string += string_create_helper("data", memory_type, full_list_of_sections, 1)
  233. gen_string += string_create_helper("bss", memory_type, full_list_of_sections, 0)
  234. # finally writing to the linker file
  235. with open(linker_file, "a+") as file_desc:
  236. file_desc.write(gen_string)
  237. with open(sram_data_linker_file, "a+") as file_desc:
  238. file_desc.write(gen_string_sram_data)
  239. with open(sram_bss_linker_file, "a+") as file_desc:
  240. file_desc.write(gen_string_sram_bss)
  241. def generate_memcpy_code(memory_type, full_list_of_sections, code_generation):
  242. all_sections = True
  243. generate_section = {"text": False, "rodata": False, "data": False, "bss": False}
  244. for section_name in ["_TEXT", "_RODATA", "_DATA", "_BSS"]:
  245. if section_name in memory_type:
  246. generate_section[section_name.lower()[1:]] = True
  247. memory_type = memory_type.replace(section_name, "")
  248. all_sections = False
  249. if all_sections:
  250. generate_section["text"] = True
  251. generate_section["rodata"] = True
  252. generate_section["data"] = True
  253. generate_section["bss"] = True
  254. # add all the regions that needs to be copied on boot up
  255. for mtype in ["text", "rodata", "data"]:
  256. if memory_type == "SRAM" and mtype == "data":
  257. continue
  258. if full_list_of_sections[mtype] and generate_section[mtype]:
  259. code_generation["copy_code"] += MEMCPY_TEMPLATE.format(memory_type.lower(), mtype)
  260. code_generation["extern"] += EXTERN_LINKER_VAR_DECLARATION.format(
  261. memory_type.lower(), mtype)
  262. # add for all the bss data that needs to be zeored on boot up
  263. if full_list_of_sections["bss"] and generate_section["bss"] and memory_type != "SRAM":
  264. code_generation["zero_code"] += MEMSET_TEMPLATE.format(memory_type.lower())
  265. code_generation["extern"] += EXTERN_LINKER_VAR_DECLARATION.format(
  266. memory_type.lower(), "bss")
  267. return code_generation
  268. def dump_header_file(header_file, code_generation):
  269. code_string = ''
  270. # create a dummy void function if there is no code to generate for
  271. # bss/data/text regions
  272. code_string += code_generation["extern"]
  273. if code_generation["copy_code"]:
  274. code_string += DATA_COPY_FUNCTION.format(code_generation["copy_code"])
  275. else:
  276. code_string += DATA_COPY_FUNCTION.format("void;")
  277. if code_generation["zero_code"]:
  278. code_string += BSS_ZEROING_FUNCTION.format(code_generation["zero_code"])
  279. else:
  280. code_string += BSS_ZEROING_FUNCTION.format("return;")
  281. with open(header_file, "w") as header_file_desc:
  282. header_file_desc.write(SOURCE_CODE_INCLUDES)
  283. header_file_desc.write(code_string)
  284. def parse_args():
  285. global args
  286. parser = argparse.ArgumentParser(
  287. description=__doc__,
  288. formatter_class=argparse.RawDescriptionHelpFormatter)
  289. parser.add_argument("-d", "--directory", required=True,
  290. help="obj file's directory")
  291. parser.add_argument("-i", "--input_rel_dict", required=True,
  292. help="input src:memory type(sram2 or ccm or aon etc) string")
  293. parser.add_argument("-o", "--output", required=False, help="Output ld file")
  294. parser.add_argument("-s", "--output_sram_data", required=False,
  295. help="Output sram data ld file")
  296. parser.add_argument("-b", "--output_sram_bss", required=False,
  297. help="Output sram bss ld file")
  298. parser.add_argument("-c", "--output_code", required=False,
  299. help="Output relocation code header file")
  300. parser.add_argument("-v", "--verbose", action="count", default=0,
  301. help="Verbose Output")
  302. args = parser.parse_args()
  303. # return the absolute path for the object file.
  304. def get_obj_filename(searchpath, filename):
  305. # get the object file name which is almost always pended with .obj
  306. obj_filename = filename.split("/")[-1] + ".obj"
  307. for dirpath, _, files in os.walk(searchpath):
  308. for filename1 in files:
  309. if filename1 == obj_filename:
  310. if filename.split("/")[-2] in dirpath.split("/")[-1]:
  311. fullname = os.path.join(dirpath, filename1)
  312. return fullname
  313. # Create a dict with key as memory type and files as a list of values.
  314. def create_dict_wrt_mem():
  315. # need to support wild card *
  316. rel_dict = dict()
  317. if args.input_rel_dict == '':
  318. sys.exit("Disable CONFIG_CODE_DATA_RELOCATION if no file needs relocation")
  319. for line in args.input_rel_dict.split(';'):
  320. mem_region, file_name = line.split(':', 1)
  321. file_name_list = glob.glob(file_name)
  322. if not file_name_list:
  323. warnings.warn("File: "+file_name+" Not found")
  324. continue
  325. if mem_region == '':
  326. continue
  327. if args.verbose:
  328. print("Memory region ", mem_region, " Selected for file:", file_name_list)
  329. if mem_region in rel_dict:
  330. rel_dict[mem_region].extend(file_name_list)
  331. else:
  332. rel_dict[mem_region] = file_name_list
  333. return rel_dict
  334. def main():
  335. global mpu_align
  336. mpu_align = {}
  337. parse_args()
  338. searchpath = args.directory
  339. linker_file = args.output
  340. sram_data_linker_file = args.output_sram_data
  341. sram_bss_linker_file = args.output_sram_bss
  342. rel_dict = create_dict_wrt_mem()
  343. complete_list_of_sections = {}
  344. # Create/or trucate file contents if it already exists
  345. # raw = open(linker_file, "w")
  346. # for each memory_type, create text/rodata/data/bss sections for all obj files
  347. for memory_type, files in rel_dict.items():
  348. full_list_of_sections = {"text": [], "rodata": [], "data": [], "bss": []}
  349. for filename in files:
  350. obj_filename = get_obj_filename(searchpath, filename)
  351. # the obj file wasn't found. Probably not compiled.
  352. if not obj_filename:
  353. continue
  354. full_list_of_sections = find_sections(obj_filename, full_list_of_sections)
  355. # cleanup and attach the sections to the memory type after cleanup.
  356. complete_list_of_sections = assign_to_correct_mem_region(memory_type,
  357. full_list_of_sections,
  358. complete_list_of_sections)
  359. generate_linker_script(linker_file, sram_data_linker_file,
  360. sram_bss_linker_file, complete_list_of_sections)
  361. code_generation = {"copy_code": '', "zero_code": '', "extern": ''}
  362. for mem_type, list_of_sections in sorted(complete_list_of_sections.items()):
  363. code_generation = generate_memcpy_code(mem_type,
  364. list_of_sections, code_generation)
  365. dump_header_file(args.output_code, code_generation)
  366. if __name__ == '__main__':
  367. main()