size_report 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2016, 2020 Intel Corporation
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. # Based on a script by:
  7. # Chereau, Fabien <fabien.chereau@intel.com>
  8. """
  9. Process an ELF file to generate size report on RAM and ROM.
  10. """
  11. import argparse
  12. import os
  13. import sys
  14. import re
  15. from pathlib import Path
  16. import json
  17. from distutils.version import LooseVersion
  18. from colorama import init, Fore
  19. from anytree import RenderTree, NodeMixin, findall_by_attr
  20. from anytree.exporter import DictExporter
  21. import elftools
  22. from elftools.elf.elffile import ELFFile
  23. from elftools.elf.sections import SymbolTableSection
  24. from elftools.dwarf.descriptions import describe_form_class
  25. from elftools.dwarf.descriptions import (
  26. describe_DWARF_expr, set_global_machine_arch)
  27. from elftools.dwarf.locationlists import (
  28. LocationExpr, LocationParser)
  29. if LooseVersion(elftools.__version__) < LooseVersion('0.24'):
  30. sys.exit("pyelftools is out of date, need version 0.24 or later")
  31. # ELF section flags
  32. SHF_WRITE = 0x1
  33. SHF_ALLOC = 0x2
  34. SHF_EXEC = 0x4
  35. SHF_WRITE_ALLOC = SHF_WRITE | SHF_ALLOC
  36. SHF_ALLOC_EXEC = SHF_ALLOC | SHF_EXEC
  37. DT_LOCATION = re.compile(r"\(DW_OP_addr: ([0-9a-f]+)\)")
  38. SRC_FILE_EXT = ('.h', '.c', '.hpp', '.cpp', '.hxx', '.cxx', '.c++')
  39. def get_symbol_addr(sym):
  40. """Get the address of a symbol"""
  41. return sym['st_value']
  42. def get_symbol_size(sym):
  43. """Get the size of a symbol"""
  44. return sym['st_size']
  45. def is_symbol_in_ranges(sym, ranges):
  46. """
  47. Given a list of start/end addresses, test if the symbol
  48. lies within any of these address ranges.
  49. """
  50. for bound in ranges:
  51. if bound['start'] <= sym['st_value'] <= bound['end']:
  52. return True
  53. return False
  54. def get_die_mapped_address(die, parser, dwarfinfo):
  55. """Get the bounding addresses from a DIE variable or subprogram"""
  56. low = None
  57. high = None
  58. if die.tag == 'DW_TAG_variable':
  59. if 'DW_AT_location' in die.attributes:
  60. loc_attr = die.attributes['DW_AT_location']
  61. if parser.attribute_has_location(loc_attr, die.cu['version']):
  62. loc = parser.parse_from_attribute(loc_attr, die.cu['version'])
  63. if isinstance(loc, LocationExpr):
  64. addr = describe_DWARF_expr(loc.loc_expr,
  65. dwarfinfo.structs)
  66. matcher = DT_LOCATION.match(addr)
  67. if matcher:
  68. low = int(matcher.group(1), 16)
  69. high = low + 1
  70. if die.tag == 'DW_TAG_subprogram':
  71. if 'DW_AT_low_pc' in die.attributes:
  72. low = die.attributes['DW_AT_low_pc'].value
  73. high_pc = die.attributes['DW_AT_high_pc']
  74. high_pc_class = describe_form_class(high_pc.form)
  75. if high_pc_class == 'address':
  76. high = high_pc.value
  77. elif high_pc_class == 'constant':
  78. high = low + high_pc.value
  79. return low, high
  80. def match_symbol_address(symlist, die, parser, dwarfinfo):
  81. """
  82. Find the symbol from a symbol list
  83. where it matches the address in DIE variable,
  84. or within the range of a DIE subprogram.
  85. """
  86. low, high = get_die_mapped_address(die, parser, dwarfinfo)
  87. if low is None:
  88. return None
  89. for sym in symlist:
  90. if low <= sym['symbol']['st_value'] < high:
  91. return sym
  92. return None
  93. def get_symbols(elf, addr_ranges):
  94. """
  95. Fetch the symbols from the symbol table and put them
  96. into ROM, RAM buckets.
  97. """
  98. rom_syms = dict()
  99. ram_syms = dict()
  100. unassigned_syms = dict()
  101. rom_addr_ranges = addr_ranges['rom']
  102. ram_addr_ranges = addr_ranges['ram']
  103. for section in elf.iter_sections():
  104. if isinstance(section, SymbolTableSection):
  105. for sym in section.iter_symbols():
  106. # Ignore symbols with size == 0
  107. if get_symbol_size(sym) == 0:
  108. continue
  109. found_sec = False
  110. entry = {'name': sym.name,
  111. 'symbol': sym,
  112. 'mapped_files': set()}
  113. # If symbol is in ROM area?
  114. if is_symbol_in_ranges(sym, rom_addr_ranges):
  115. if sym.name not in rom_syms:
  116. rom_syms[sym.name] = list()
  117. rom_syms[sym.name].append(entry)
  118. found_sec = True
  119. # If symbol is in RAM area?
  120. if is_symbol_in_ranges(sym, ram_addr_ranges):
  121. if sym.name not in ram_syms:
  122. ram_syms[sym.name] = list()
  123. ram_syms[sym.name].append(entry)
  124. found_sec = True
  125. if not found_sec:
  126. unassigned_syms['sym_name'] = entry
  127. ret = {'rom': rom_syms,
  128. 'ram': ram_syms,
  129. 'unassigned': unassigned_syms}
  130. return ret
  131. def get_section_ranges(elf):
  132. """
  133. Parse ELF header to find out the address ranges of ROM or RAM sections
  134. and their total sizes.
  135. """
  136. rom_addr_ranges = list()
  137. ram_addr_ranges = list()
  138. rom_size = 0
  139. ram_size = 0
  140. for section in elf.iter_sections():
  141. size = section['sh_size']
  142. sec_start = section['sh_addr']
  143. sec_end = sec_start + size - 1
  144. bound = {'start': sec_start, 'end': sec_end}
  145. if section['sh_type'] == 'SHT_NOBITS':
  146. # BSS and noinit sections
  147. ram_addr_ranges.append(bound)
  148. ram_size += size
  149. elif section['sh_type'] == 'SHT_PROGBITS':
  150. # Sections to be in flash or memory
  151. flags = section['sh_flags']
  152. if (flags & SHF_ALLOC_EXEC) == SHF_ALLOC_EXEC:
  153. # Text section
  154. rom_addr_ranges.append(bound)
  155. rom_size += size
  156. elif (flags & SHF_WRITE_ALLOC) == SHF_WRITE_ALLOC:
  157. # Data occupies both ROM and RAM
  158. # since at boot, content is copied from ROM to RAM
  159. rom_addr_ranges.append(bound)
  160. rom_size += size
  161. ram_addr_ranges.append(bound)
  162. ram_size += size
  163. elif (flags & SHF_ALLOC) == SHF_ALLOC:
  164. # Read only data
  165. rom_addr_ranges.append(bound)
  166. rom_size += size
  167. ret = {'rom': rom_addr_ranges,
  168. 'rom_total_size': rom_size,
  169. 'ram': ram_addr_ranges,
  170. 'ram_total_size': ram_size}
  171. return ret
  172. def get_die_filename(die, lineprog):
  173. """Get the source code filename associated with a DIE"""
  174. file_index = die.attributes['DW_AT_decl_file'].value
  175. file_entry = lineprog['file_entry'][file_index - 1]
  176. dir_index = file_entry['dir_index']
  177. if dir_index == 0:
  178. filename = file_entry.name
  179. else:
  180. directory = lineprog.header['include_directory'][dir_index - 1]
  181. filename = os.path.join(directory, file_entry.name)
  182. path = Path(filename.decode())
  183. # Prepend output path to relative path
  184. if not path.is_absolute():
  185. output = Path(args.output)
  186. path = output.joinpath(path)
  187. # Change path to relative to Zephyr base
  188. try:
  189. path = path.resolve()
  190. except OSError as e:
  191. # built-ins can't be resolved, so it's not an issue
  192. if '<built-in>' not in str(path):
  193. raise e
  194. return path
  195. def do_simple_name_matching(elf, symbol_dict, processed):
  196. """
  197. Sequentially process DIEs in compiler units with direct file mappings
  198. within the DIEs themselves, and do simply matching between DIE names
  199. and symbol names.
  200. """
  201. mapped_symbols = processed['mapped_symbols']
  202. mapped_addresses = processed['mapped_addr']
  203. unmapped_symbols = processed['unmapped_symbols']
  204. newly_mapped_syms = set()
  205. dwarfinfo = elf.get_dwarf_info()
  206. location_lists = dwarfinfo.location_lists()
  207. location_parser = LocationParser(location_lists)
  208. unmapped_dies = set()
  209. # Loop through all compile units
  210. for compile_unit in dwarfinfo.iter_CUs():
  211. lineprog = dwarfinfo.line_program_for_CU(compile_unit)
  212. if lineprog is None:
  213. continue
  214. # Loop through each DIE and find variables and
  215. # subprograms (i.e. functions)
  216. for die in compile_unit.iter_DIEs():
  217. sym_name = None
  218. # Process variables
  219. if die.tag == 'DW_TAG_variable':
  220. # DW_AT_declaration
  221. # having 'DW_AT_location' means this maps
  222. # to an actual address (e.g. not an extern)
  223. if 'DW_AT_location' in die.attributes:
  224. sym_name = die.get_full_path()
  225. # Process subprograms (i.e. functions) if they are valid
  226. if die.tag == 'DW_TAG_subprogram':
  227. # Refer to another DIE for name
  228. if ('DW_AT_abstract_origin' in die.attributes) or (
  229. 'DW_AT_specification' in die.attributes):
  230. unmapped_dies.add(die)
  231. # having 'DW_AT_low_pc' means it maps to
  232. # an actual address
  233. elif 'DW_AT_low_pc' in die.attributes:
  234. # DW_AT_low_pc == 0 is a weak function
  235. # which has been overriden
  236. if die.attributes['DW_AT_low_pc'].value != 0:
  237. sym_name = die.get_full_path()
  238. # For mangled function names, the linkage name
  239. # is what appears in the symbol list
  240. if 'DW_AT_linkage_name' in die.attributes:
  241. linkage = die.attributes['DW_AT_linkage_name']
  242. sym_name = linkage.value.decode()
  243. if sym_name is not None:
  244. # Skip DIE with no reference back to a file
  245. if not 'DW_AT_decl_file' in die.attributes:
  246. continue
  247. is_die_mapped = False
  248. if sym_name in symbol_dict:
  249. mapped_symbols.add(sym_name)
  250. symlist = symbol_dict[sym_name]
  251. symbol = match_symbol_address(symlist, die,
  252. location_parser,
  253. dwarfinfo)
  254. if symbol is not None:
  255. symaddr = symbol['symbol']['st_value']
  256. if symaddr not in mapped_addresses:
  257. is_die_mapped = True
  258. path = get_die_filename(die, lineprog)
  259. symbol['mapped_files'].add(path)
  260. mapped_addresses.add(symaddr)
  261. newly_mapped_syms.add(sym_name)
  262. if not is_die_mapped:
  263. unmapped_dies.add(die)
  264. mapped_symbols = mapped_symbols.union(newly_mapped_syms)
  265. unmapped_symbols = unmapped_symbols.difference(newly_mapped_syms)
  266. processed['mapped_symbols'] = mapped_symbols
  267. processed['mapped_addr'] = mapped_addresses
  268. processed['unmapped_symbols'] = unmapped_symbols
  269. processed['unmapped_dies'] = unmapped_dies
  270. def mark_address_aliases(symbol_dict, processed):
  271. """
  272. Mark symbol aliases as already mapped to prevent
  273. double counting.
  274. There are functions and variables which are aliases to
  275. other functions/variables. So this marks them as mapped
  276. so they will not get counted again when a tree is being
  277. built for display.
  278. """
  279. mapped_symbols = processed['mapped_symbols']
  280. mapped_addresses = processed['mapped_addr']
  281. unmapped_symbols = processed['unmapped_symbols']
  282. already_mapped_syms = set()
  283. for ums in unmapped_symbols:
  284. for one_sym in symbol_dict[ums]:
  285. symbol = one_sym['symbol']
  286. if symbol['st_value'] in mapped_addresses:
  287. already_mapped_syms.add(ums)
  288. mapped_symbols = mapped_symbols.union(already_mapped_syms)
  289. unmapped_symbols = unmapped_symbols.difference(already_mapped_syms)
  290. processed['mapped_symbols'] = mapped_symbols
  291. processed['mapped_addr'] = mapped_addresses
  292. processed['unmapped_symbols'] = unmapped_symbols
  293. def do_address_range_matching(elf, symbol_dict, processed):
  294. """
  295. Match symbols indirectly using address ranges.
  296. This uses the address ranges of DIEs and map them to symbols
  297. residing within those ranges, and works on DIEs that have not
  298. been mapped in previous steps. This works on symbol names
  299. that do not match the names in DIEs, e.g. "<func>" in DIE,
  300. but "<func>.constprop.*" in symbol name list. This also
  301. helps with mapping the mangled function names in C++,
  302. since the names in DIE are actual function names in source
  303. code and not mangled version of them.
  304. """
  305. if 'unmapped_dies' not in processed:
  306. return
  307. mapped_symbols = processed['mapped_symbols']
  308. mapped_addresses = processed['mapped_addr']
  309. unmapped_symbols = processed['unmapped_symbols']
  310. newly_mapped_syms = set()
  311. dwarfinfo = elf.get_dwarf_info()
  312. location_lists = dwarfinfo.location_lists()
  313. location_parser = LocationParser(location_lists)
  314. unmapped_dies = processed['unmapped_dies']
  315. # Group DIEs by compile units
  316. cu_list = dict()
  317. for die in unmapped_dies:
  318. cu = die.cu
  319. if cu not in cu_list:
  320. cu_list[cu] = {'dies': set()}
  321. cu_list[cu]['dies'].add(die)
  322. # Loop through all compile units
  323. for cu in cu_list:
  324. lineprog = dwarfinfo.line_program_for_CU(cu)
  325. # Map offsets from DIEs
  326. offset_map = dict()
  327. for die in cu.iter_DIEs():
  328. offset_map[die.offset] = die
  329. for die in cu_list[cu]['dies']:
  330. if not die.tag == 'DW_TAG_subprogram':
  331. continue
  332. path = None
  333. # Has direct reference to file, so use it
  334. if 'DW_AT_decl_file' in die.attributes:
  335. path = get_die_filename(die, lineprog)
  336. # Loop through indirect reference until a direct
  337. # reference to file is found
  338. if ('DW_AT_abstract_origin' in die.attributes) or (
  339. 'DW_AT_specification' in die.attributes):
  340. die_ptr = die
  341. while path is None:
  342. if not (die_ptr.tag == 'DW_TAG_subprogram') or not (
  343. ('DW_AT_abstract_origin' in die_ptr.attributes) or
  344. ('DW_AT_specification' in die_ptr.attributes)):
  345. break
  346. if 'DW_AT_abstract_origin' in die_ptr.attributes:
  347. ofname = 'DW_AT_abstract_origin'
  348. elif 'DW_AT_specification' in die_ptr.attributes:
  349. ofname = 'DW_AT_specification'
  350. offset = die_ptr.attributes[ofname].value
  351. offset += die_ptr.cu.cu_offset
  352. # There is nothing to reference so no need to continue
  353. if offset not in offset_map:
  354. break
  355. die_ptr = offset_map[offset]
  356. if 'DW_AT_decl_file' in die_ptr.attributes:
  357. path = get_die_filename(die_ptr, lineprog)
  358. # Nothing to map
  359. if path is not None:
  360. low, high = get_die_mapped_address(die, location_parser,
  361. dwarfinfo)
  362. if low is None:
  363. continue
  364. for ums in unmapped_symbols:
  365. for one_sym in symbol_dict[ums]:
  366. symbol = one_sym['symbol']
  367. symaddr = symbol['st_value']
  368. if symaddr not in mapped_addresses:
  369. if low <= symaddr < high:
  370. one_sym['mapped_files'].add(path)
  371. mapped_addresses.add(symaddr)
  372. newly_mapped_syms.add(ums)
  373. mapped_symbols = mapped_symbols.union(newly_mapped_syms)
  374. unmapped_symbols = unmapped_symbols.difference(newly_mapped_syms)
  375. processed['mapped_symbols'] = mapped_symbols
  376. processed['mapped_addr'] = mapped_addresses
  377. processed['unmapped_symbols'] = unmapped_symbols
  378. def set_root_path_for_unmapped_symbols(symbol_dict, addr_range, processed):
  379. """
  380. Set root path for unmapped symbols.
  381. Any unmapped symbols are added under the root node if those
  382. symbols reside within the desired memory address ranges
  383. (e.g. ROM or RAM).
  384. """
  385. mapped_symbols = processed['mapped_symbols']
  386. mapped_addresses = processed['mapped_addr']
  387. unmapped_symbols = processed['unmapped_symbols']
  388. newly_mapped_syms = set()
  389. for ums in unmapped_symbols:
  390. for one_sym in symbol_dict[ums]:
  391. symbol = one_sym['symbol']
  392. symaddr = symbol['st_value']
  393. if is_symbol_in_ranges(symbol, addr_range):
  394. if symaddr not in mapped_addresses:
  395. path = Path(':')
  396. one_sym['mapped_files'].add(path)
  397. mapped_addresses.add(symaddr)
  398. newly_mapped_syms.add(ums)
  399. mapped_symbols = mapped_symbols.union(newly_mapped_syms)
  400. unmapped_symbols = unmapped_symbols.difference(newly_mapped_syms)
  401. processed['mapped_symbols'] = mapped_symbols
  402. processed['mapped_addr'] = mapped_addresses
  403. processed['unmapped_symbols'] = unmapped_symbols
  404. def find_common_path_prefix(symbol_dict):
  405. """
  406. Find the common path prefix of all mapped files.
  407. Must be called before set_root_path_for_unmapped_symbols().
  408. """
  409. paths = list()
  410. for _, sym in symbol_dict.items():
  411. for symbol in sym:
  412. for file in symbol['mapped_files']:
  413. paths.append(file)
  414. # return os.path.commonpath(paths)
  415. try:
  416. return os.path.commonpath(paths)
  417. except ValueError:
  418. return None
  419. class TreeNode(NodeMixin):
  420. """
  421. A symbol node.
  422. """
  423. def __init__(self, name, identifier, size=0, parent=None, children=None):
  424. super().__init__()
  425. self.name = name
  426. self.size = size
  427. self.parent = parent
  428. self.identifier = identifier
  429. if children:
  430. self.children = children
  431. def __repr__(self):
  432. return self.name
  433. def sum_node_children_size(node):
  434. """
  435. Calculate the sum of symbol size of all direct children.
  436. """
  437. size = 0
  438. for child in node.children:
  439. size += child.size
  440. return size
  441. def generate_any_tree(symbol_dict, total_size, path_prefix):
  442. """
  443. Generate a symbol tree for output.
  444. """
  445. root = TreeNode('Root', "root")
  446. node_no_paths = TreeNode('(no paths)', ":", parent=root)
  447. # if Path(path_prefix) == Path(args.zephyrbase):
  448. if path_prefix and Path(path_prefix) == Path(args.zephyrbase):
  449. # All source files are under ZEPHYR_BASE so there is
  450. # no need for another level.
  451. node_zephyr_base = root
  452. node_output_dir = root
  453. node_workspace = root
  454. node_others = root
  455. else:
  456. node_zephyr_base = TreeNode('ZEPHYR_BASE', args.zephyrbase)
  457. node_output_dir = TreeNode('OUTPUT_DIR', args.output)
  458. node_others = TreeNode("/", "/")
  459. if args.workspace:
  460. node_workspace = TreeNode('WORKSPACE', args.workspace)
  461. else:
  462. node_workspace = node_others
  463. # A set of helper function for building a simple tree with a path-like
  464. # hierarchy.
  465. def _insert_one_elem(root, path, size):
  466. cur = None
  467. node = None
  468. parent = root
  469. for part in path.parts:
  470. if cur is None:
  471. cur = part
  472. else:
  473. cur = str(Path(cur, part))
  474. results = findall_by_attr(root, cur, name="identifier")
  475. if results:
  476. item = results[0]
  477. item.size += size
  478. parent = item
  479. else:
  480. if node:
  481. parent = node
  482. node = TreeNode(name=str(part), identifier=cur, size=size, parent=parent)
  483. # Mapping paths to tree nodes
  484. path_node_map = [
  485. [Path(args.zephyrbase), node_zephyr_base],
  486. [Path(args.output), node_output_dir],
  487. ]
  488. if args.workspace:
  489. path_node_map.append(
  490. [Path(args.workspace), node_workspace]
  491. )
  492. for name, sym in symbol_dict.items():
  493. for symbol in sym:
  494. size = get_symbol_size(symbol['symbol'])
  495. for file in symbol['mapped_files']:
  496. path = Path(file, name)
  497. if path.is_absolute():
  498. has_node = False
  499. for one_path in path_node_map:
  500. if one_path[0] in path.parents:
  501. path = path.relative_to(one_path[0])
  502. dest_node = one_path[1]
  503. has_node = True
  504. break
  505. if not has_node:
  506. dest_node = node_others
  507. else:
  508. dest_node = node_no_paths
  509. _insert_one_elem(dest_node, path, size)
  510. if node_zephyr_base is not root:
  511. # ZEPHYR_BASE and OUTPUT_DIR nodes don't have sum of symbol size
  512. # so calculate them here.
  513. node_zephyr_base.size = sum_node_children_size(node_zephyr_base)
  514. node_output_dir.size = sum_node_children_size(node_output_dir)
  515. # Find out which nodes need to be in the tree.
  516. # "(no path)", ZEPHYR_BASE nodes are essential.
  517. children = [node_no_paths, node_zephyr_base]
  518. if node_output_dir.height != 0:
  519. # OUTPUT_DIR may be under ZEPHYR_BASE.
  520. children.append(node_output_dir)
  521. if node_others.height != 0:
  522. # Only include "others" node if there is something.
  523. children.append(node_others)
  524. if args.workspace:
  525. node_workspace.size = sum_node_children_size(node_workspace)
  526. if node_workspace.height != 0:
  527. children.append(node_workspace)
  528. root.children = children
  529. root.size = total_size
  530. # Need to account for code and data where there are not emitted
  531. # symbols associated with them.
  532. node_hidden_syms = TreeNode('(hidden)', "(hidden)", parent=root)
  533. node_hidden_syms.size = root.size - sum_node_children_size(root)
  534. return root
  535. def node_sort(items):
  536. """
  537. Node sorting used with RenderTree.
  538. """
  539. return sorted(items, key=lambda item: item.name)
  540. def print_any_tree(root, total_size, depth):
  541. """
  542. Print the symbol tree.
  543. """
  544. print('{:101s} {:7s} {:8s}'.format(
  545. Fore.YELLOW + "Path", "Size", "%" + Fore.RESET))
  546. print('=' * 110)
  547. for row in RenderTree(root, childiter=node_sort, maxlevel=depth):
  548. f = len(row.pre) + len(row.node.name)
  549. s = str(row.node.size).rjust(100-f)
  550. percent = 100 * float(row.node.size) / float(total_size)
  551. cc = cr = ""
  552. if not row.node.children:
  553. cc = Fore.CYAN
  554. cr = Fore.RESET
  555. elif row.node.name.endswith(SRC_FILE_EXT):
  556. cc = Fore.GREEN
  557. cr = Fore.RESET
  558. print(f"{row.pre}{cc}{row.node.name}{cr} {s} {Fore.BLUE}{percent:5.2f}%{Fore.RESET}")
  559. print('=' * 110)
  560. print(f'{total_size:>101}')
  561. def parse_args():
  562. """
  563. Parse command line arguments.
  564. """
  565. global args
  566. parser = argparse.ArgumentParser()
  567. parser.add_argument("-k", "--kernel", required=True,
  568. help="Zephyr ELF binary")
  569. parser.add_argument("-z", "--zephyrbase", required=True,
  570. help="Zephyr base path")
  571. parser.add_argument("-q", "--quiet", action="store_true",
  572. help="Do not output anything on the screen.")
  573. parser.add_argument("-o", "--output", required=True,
  574. help="Output path")
  575. parser.add_argument("-w", "--workspace", default=None,
  576. help="Workspace path (Usually the same as WEST_TOPDIR)")
  577. parser.add_argument("target", choices=['rom', 'ram', 'all'])
  578. parser.add_argument("-d", "--depth", dest="depth",
  579. type=int, default=None,
  580. help="How deep should we go into the tree",
  581. metavar="DEPTH")
  582. parser.add_argument("-v", "--verbose", action="store_true",
  583. help="Print extra debugging information")
  584. parser.add_argument("--json", help="store results in a JSON file.")
  585. args = parser.parse_args()
  586. def main():
  587. """
  588. Main program.
  589. """
  590. parse_args()
  591. # Init colorama
  592. init()
  593. assert os.path.exists(args.kernel), "{0} does not exist.".format(args.kernel)
  594. if args.target == 'ram':
  595. targets = ['ram']
  596. elif args.target == 'rom':
  597. targets = ['rom']
  598. elif args.target == 'all':
  599. targets = ['rom', 'ram']
  600. for t in targets:
  601. elf = ELFFile(open(args.kernel, "rb"))
  602. assert elf.has_dwarf_info(), "ELF file has no DWARF information"
  603. set_global_machine_arch(elf.get_machine_arch())
  604. addr_ranges = get_section_ranges(elf)
  605. symbols = get_symbols(elf, addr_ranges)
  606. for sym in symbols['unassigned'].values():
  607. print("WARN: Symbol '{0}' is not in RAM or ROM".format(sym['name']))
  608. symbol_dict = None
  609. if args.json:
  610. jsonout = args.json
  611. else:
  612. jsonout = os.path.join(args.output, f'{t}.json')
  613. symbol_dict = symbols[t]
  614. symsize = addr_ranges[f'{t}_total_size']
  615. ranges = addr_ranges[t]
  616. if symbol_dict is not None:
  617. processed = {"mapped_symbols": set(),
  618. "mapped_addr": set(),
  619. "unmapped_symbols": set(symbol_dict.keys())}
  620. do_simple_name_matching(elf, symbol_dict, processed)
  621. mark_address_aliases(symbol_dict, processed)
  622. do_address_range_matching(elf, symbol_dict, processed)
  623. mark_address_aliases(symbol_dict, processed)
  624. common_path_prefix = find_common_path_prefix(symbol_dict)
  625. set_root_path_for_unmapped_symbols(symbol_dict, ranges, processed)
  626. if args.verbose:
  627. for sym in processed['unmapped_symbols']:
  628. print("INFO: Unmapped symbol: {0}".format(sym))
  629. root = generate_any_tree(symbol_dict, symsize, common_path_prefix)
  630. if not args.quiet:
  631. print_any_tree(root, symsize, args.depth)
  632. exporter = DictExporter()
  633. data = dict()
  634. data["symbols"] = exporter.export(root)
  635. data["total_size"] = symsize
  636. with open(jsonout, "w") as fp:
  637. json.dump(data, fp, indent=4)
  638. if __name__ == "__main__":
  639. main()