gen_handles.py 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2017 Intel Corporation
  4. # Copyright (c) 2020 Nordic Semiconductor NA
  5. #
  6. # SPDX-License-Identifier: Apache-2.0
  7. """Translate generic handles into ones optimized for the application.
  8. Immutable device data includes information about dependencies,
  9. e.g. that a particular sensor is controlled through a specific I2C bus
  10. and that it signals event on a pin on a specific GPIO controller.
  11. This information is encoded in the first-pass binary using identifiers
  12. derived from the devicetree. This script extracts those identifiers
  13. and replaces them with ones optimized for use with the devices
  14. actually present.
  15. For example the sensor might have a first-pass handle defined by its
  16. devicetree ordinal 52, with the I2C driver having ordinal 24 and the
  17. GPIO controller ordinal 14. The runtime ordinal is the index of the
  18. corresponding device in the static devicetree array, which might be 6,
  19. 5, and 3, respectively.
  20. The output is a C source file that provides alternative definitions
  21. for the array contents referenced from the immutable device objects.
  22. In the final link these definitions supersede the ones in the
  23. driver-specific object file.
  24. """
  25. import sys
  26. import argparse
  27. import os
  28. import struct
  29. import pickle
  30. from distutils.version import LooseVersion
  31. import elftools
  32. from elftools.elf.elffile import ELFFile
  33. from elftools.elf.sections import SymbolTableSection
  34. import elftools.elf.enums
  35. # This is needed to load edt.pickle files.
  36. sys.path.append(os.path.join(os.path.dirname(__file__),
  37. 'dts', 'python-devicetree', 'src'))
  38. from devicetree import edtlib # pylint: disable=unused-import
  39. if LooseVersion(elftools.__version__) < LooseVersion('0.24'):
  40. sys.exit("pyelftools is out of date, need version 0.24 or later")
  41. scr = os.path.basename(sys.argv[0])
  42. def debug(text):
  43. if not args.verbose:
  44. return
  45. sys.stdout.write(scr + ": " + text + "\n")
  46. def parse_args():
  47. global args
  48. parser = argparse.ArgumentParser(
  49. description=__doc__,
  50. formatter_class=argparse.RawDescriptionHelpFormatter)
  51. parser.add_argument("-k", "--kernel", required=True,
  52. help="Input zephyr ELF binary")
  53. parser.add_argument("-o", "--output-source", required=True,
  54. help="Output source file")
  55. parser.add_argument("-v", "--verbose", action="store_true",
  56. help="Print extra debugging information")
  57. parser.add_argument("-z", "--zephyr-base",
  58. help="Path to current Zephyr base. If this argument \
  59. is not provided the environment will be checked for \
  60. the ZEPHYR_BASE environment variable.")
  61. parser.add_argument("-s", "--start-symbol", required=True,
  62. help="Symbol name of the section which contains the \
  63. devices. The symbol name must point to the first \
  64. device in that section.")
  65. args = parser.parse_args()
  66. if "VERBOSE" in os.environ:
  67. args.verbose = 1
  68. ZEPHYR_BASE = args.zephyr_base or os.getenv("ZEPHYR_BASE")
  69. if ZEPHYR_BASE is None:
  70. sys.exit("-z / --zephyr-base not provided. Please provide "
  71. "--zephyr-base or set ZEPHYR_BASE in environment")
  72. sys.path.insert(0, os.path.join(ZEPHYR_BASE, "scripts/dts"))
  73. def symbol_data(elf, sym):
  74. addr = sym.entry.st_value
  75. len = sym.entry.st_size
  76. for section in elf.iter_sections():
  77. start = section['sh_addr']
  78. end = start + section['sh_size']
  79. if (start <= addr) and (addr + len) <= end:
  80. offset = addr - section['sh_addr']
  81. return bytes(section.data()[offset:offset + len])
  82. def symbol_handle_data(elf, sym):
  83. data = symbol_data(elf, sym)
  84. if data:
  85. format = "<" if elf.little_endian else ">"
  86. format += "%uh" % (len(data) / 2)
  87. return struct.unpack(format, data)
  88. # These match the corresponding constants in <device.h>
  89. DEVICE_HANDLE_SEP = -32768
  90. DEVICE_HANDLE_ENDS = 32767
  91. def handle_name(hdl):
  92. if hdl == DEVICE_HANDLE_SEP:
  93. return "DEVICE_HANDLE_SEP"
  94. if hdl == DEVICE_HANDLE_ENDS:
  95. return "DEVICE_HANDLE_ENDS"
  96. if hdl == 0:
  97. return "DEVICE_HANDLE_NULL"
  98. return str(int(hdl))
  99. class Device:
  100. """
  101. Represents information about a device object and its references to other objects.
  102. """
  103. def __init__(self, elf, ld_constants, sym, addr):
  104. self.elf = elf
  105. self.ld_constants = ld_constants
  106. self.sym = sym
  107. self.addr = addr
  108. # Point to the handles instance associated with the device;
  109. # assigned by correlating the device struct handles pointer
  110. # value with the addr of a Handles instance.
  111. self.__handles = None
  112. @property
  113. def obj_handles(self):
  114. """
  115. Returns the value from the device struct handles field, pointing to the
  116. array of handles for devices this device depends on.
  117. """
  118. if self.__handles is None:
  119. data = symbol_data(self.elf, self.sym)
  120. format = "<" if self.elf.little_endian else ">"
  121. if self.elf.elfclass == 32:
  122. format += "I"
  123. size = 4
  124. else:
  125. format += "Q"
  126. size = 8
  127. offset = self.ld_constants["_DEVICE_STRUCT_HANDLES_OFFSET"]
  128. self.__handles = struct.unpack(format, data[offset:offset + size])[0]
  129. return self.__handles
  130. class Handles:
  131. def __init__(self, sym, addr, handles, node):
  132. self.sym = sym
  133. self.addr = addr
  134. self.handles = handles
  135. self.node = node
  136. self.dep_ord = None
  137. self.dev_deps = None
  138. self.ext_deps = None
  139. def main():
  140. parse_args()
  141. assert args.kernel, "--kernel ELF required to extract data"
  142. elf = ELFFile(open(args.kernel, "rb"))
  143. edtser = os.path.join(os.path.split(args.kernel)[0], "edt.pickle")
  144. with open(edtser, 'rb') as f:
  145. edt = pickle.load(f)
  146. devices = []
  147. handles = []
  148. # Leading _ are stripped from the stored constant key
  149. want_constants = set([args.start_symbol,
  150. "_DEVICE_STRUCT_SIZEOF",
  151. "_DEVICE_STRUCT_HANDLES_OFFSET"])
  152. ld_constants = dict()
  153. for section in elf.iter_sections():
  154. if isinstance(section, SymbolTableSection):
  155. for sym in section.iter_symbols():
  156. if sym.name in want_constants:
  157. ld_constants[sym.name] = sym.entry.st_value
  158. continue
  159. if sym.entry.st_info.type != 'STT_OBJECT':
  160. continue
  161. if sym.name.startswith("__device"):
  162. addr = sym.entry.st_value
  163. if sym.name.startswith("__device_"):
  164. devices.append(Device(elf, ld_constants, sym, addr))
  165. debug("device %s" % (sym.name,))
  166. elif sym.name.startswith("__devicehdl_"):
  167. hdls = symbol_handle_data(elf, sym)
  168. # The first element of the hdls array is the dependency
  169. # ordinal of the device, which identifies the devicetree
  170. # node.
  171. node = edt.dep_ord2node[hdls[0]] if (hdls and hdls[0] != 0) else None
  172. handles.append(Handles(sym, addr, hdls, node))
  173. debug("handles %s %d %s" % (sym.name, hdls[0] if hdls else -1, node))
  174. assert len(want_constants) == len(ld_constants), "linker map data incomplete"
  175. devices = sorted(devices, key = lambda k: k.sym.entry.st_value)
  176. device_start_addr = ld_constants[args.start_symbol]
  177. device_size = 0
  178. assert len(devices) == len(handles), 'mismatch devices and handles'
  179. used_nodes = set()
  180. for handle in handles:
  181. handle.device = None
  182. for device in devices:
  183. if handle.addr == device.obj_handles:
  184. handle.device = device
  185. break
  186. device = handle.device
  187. assert device, 'no device for %s' % (handle.sym.name,)
  188. device.handle = handle
  189. if device_size == 0:
  190. device_size = device.sym.entry.st_size
  191. # The device handle is one plus the ordinal of this device in
  192. # the device table.
  193. device.dev_handle = 1 + int((device.sym.entry.st_value - device_start_addr) / device_size)
  194. debug("%s dev ordinal %d" % (device.sym.name, device.dev_handle))
  195. n = handle.node
  196. if n is not None:
  197. debug("%s dev ordinal %d\n\t%s" % (n.path, device.dev_handle, ' ; '.join(str(_) for _ in handle.handles)))
  198. used_nodes.add(n)
  199. n.__device = device
  200. else:
  201. debug("orphan %d" % (device.dev_handle,))
  202. hv = handle.handles
  203. hvi = 1
  204. handle.dev_deps = []
  205. handle.ext_deps = []
  206. deps = handle.dev_deps
  207. while hvi < len(hv):
  208. h = hv[hvi]
  209. if h == DEVICE_HANDLE_ENDS:
  210. break
  211. if h == DEVICE_HANDLE_SEP:
  212. deps = handle.ext_deps
  213. else:
  214. deps.append(h)
  215. n = edt
  216. hvi += 1
  217. # Compute the dependency graph induced from the full graph restricted to the
  218. # the nodes that exist in the application. Note that the edges in the
  219. # induced graph correspond to paths in the full graph.
  220. root = edt.dep_ord2node[0]
  221. assert root not in used_nodes
  222. for sn in used_nodes:
  223. # Where we're storing the final set of nodes: these are all used
  224. sn.__depends = set()
  225. deps = set(sn.depends_on)
  226. debug("\nNode: %s\nOrig deps:\n\t%s" % (sn.path, "\n\t".join([dn.path for dn in deps])))
  227. while len(deps) > 0:
  228. dn = deps.pop()
  229. if dn in used_nodes:
  230. # this is used
  231. sn.__depends.add(dn)
  232. elif dn != root:
  233. # forward the dependency up one level
  234. for ddn in dn.depends_on:
  235. deps.add(ddn)
  236. debug("final deps:\n\t%s\n" % ("\n\t".join([ _dn.path for _dn in sn.__depends])))
  237. with open(args.output_source, "w") as fp:
  238. fp.write('#include <device.h>\n')
  239. fp.write('#include <toolchain.h>\n')
  240. for dev in devices:
  241. hs = dev.handle
  242. assert hs, "no hs for %s" % (dev.sym.name,)
  243. dep_paths = []
  244. ext_paths = []
  245. hdls = []
  246. sn = hs.node
  247. if sn:
  248. hdls.extend(dn.__device.dev_handle for dn in sn.__depends)
  249. for dn in sn.depends_on:
  250. if dn in sn.__depends:
  251. dep_paths.append(dn.path)
  252. else:
  253. dep_paths.append('(%s)' % dn.path)
  254. if len(hs.ext_deps) > 0:
  255. # TODO: map these to something smaller?
  256. ext_paths.extend(map(str, hs.ext_deps))
  257. hdls.append(DEVICE_HANDLE_SEP)
  258. hdls.extend(hs.ext_deps)
  259. # When CONFIG_USERSPACE is enabled the pre-built elf is
  260. # also used to get hashes that identify kernel objects by
  261. # address. We can't allow the size of any object in the
  262. # final elf to change. We also must make sure at least one
  263. # DEVICE_HANDLE_ENDS is inserted.
  264. padding = len(hs.handles) - len(hdls)
  265. assert padding > 0, \
  266. (f"device {dev.sym.name}: "
  267. "linker pass 1 left no room to insert DEVICE_HANDLE_ENDS. "
  268. "To work around, increase CONFIG_DEVICE_HANDLE_PADDING by " +
  269. str(1 + (-padding)))
  270. while padding > 0:
  271. hdls.append(DEVICE_HANDLE_ENDS)
  272. padding -= 1
  273. assert len(hdls) == len(hs.handles), "%s handle overflow" % (dev.sym.name,)
  274. lines = [
  275. '',
  276. '/* %d : %s:' % (dev.dev_handle, (sn and sn.path) or "sysinit"),
  277. ]
  278. if len(dep_paths) > 0:
  279. lines.append(' * - %s' % ('\n * - '.join(dep_paths)))
  280. if len(ext_paths) > 0:
  281. lines.append(' * + %s' % ('\n * + '.join(ext_paths)))
  282. lines.extend([
  283. ' */',
  284. 'const device_handle_t __aligned(2) __attribute__((__section__(".__device_handles_pass2")))',
  285. '%s[] = { %s };' % (hs.sym.name, ', '.join([handle_name(_h) for _h in hdls])),
  286. '',
  287. ])
  288. fp.write('\n'.join(lines))
  289. if __name__ == "__main__":
  290. main()