gen_kobject_list.py 33 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2017 Intel Corporation
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. """
  7. Script to generate gperf tables of kernel object metadata
  8. User mode threads making system calls reference kernel objects by memory
  9. address, as the kernel/driver APIs in Zephyr are the same for both user
  10. and supervisor contexts. It is necessary for the kernel to be able to
  11. validate accesses to kernel objects to make the following assertions:
  12. - That the memory address points to a kernel object
  13. - The kernel object is of the expected type for the API being invoked
  14. - The kernel object is of the expected initialization state
  15. - The calling thread has sufficient permissions on the object
  16. For more details see the :ref:`kernelobjects` section in the documentation.
  17. The zephyr build generates an intermediate ELF binary, zephyr_prebuilt.elf,
  18. which this script scans looking for kernel objects by examining the DWARF
  19. debug information to look for instances of data structures that are considered
  20. kernel objects. For device drivers, the API struct pointer populated at build
  21. time is also examined to disambiguate between various device driver instances
  22. since they are all 'struct device'.
  23. This script can generate five different output files:
  24. - A gperf script to generate the hash table mapping kernel object memory
  25. addresses to kernel object metadata, used to track permissions,
  26. object type, initialization state, and any object-specific data.
  27. - A header file containing generated macros for validating driver instances
  28. inside the system call handlers for the driver subsystem APIs.
  29. - A code fragment included by kernel.h with one enum constant for
  30. each kernel object type and each driver instance.
  31. - The inner cases of a switch/case C statement, included by
  32. kernel/userspace.c, mapping the kernel object types and driver
  33. instances to their human-readable representation in the
  34. otype_to_str() function.
  35. - The inner cases of a switch/case C statement, included by
  36. kernel/userspace.c, mapping kernel object types to their sizes.
  37. This is used for allocating instances of them at runtime
  38. (CONFIG_DYNAMIC_OBJECTS) in the obj_size_get() function.
  39. """
  40. import sys
  41. import argparse
  42. import math
  43. import os
  44. import struct
  45. import json
  46. from distutils.version import LooseVersion
  47. import elftools
  48. from elftools.elf.elffile import ELFFile
  49. from elftools.elf.sections import SymbolTableSection
  50. if LooseVersion(elftools.__version__) < LooseVersion('0.24'):
  51. sys.exit("pyelftools is out of date, need version 0.24 or later")
  52. from collections import OrderedDict
  53. # Keys in this dictionary are structs which should be recognized as kernel
  54. # objects. Values are a tuple:
  55. #
  56. # - The first item is None, or the name of a Kconfig that
  57. # indicates the presence of this object's definition in case it is not
  58. # available in all configurations.
  59. #
  60. # - The second item is a boolean indicating whether it is permissible for
  61. # the object to be located in user-accessible memory.
  62. #
  63. # - The third items is a boolean indicating whether this item can be
  64. # dynamically allocated with k_object_alloc(). Keep this in sync with
  65. # the switch statement in z_impl_k_object_alloc().
  66. #
  67. # Key names in all caps do not correspond to a specific data type but instead
  68. # indicate that objects of its type are of a family of compatible data
  69. # structures
  70. # Regular dictionaries are ordered only with Python 3.6 and
  71. # above. Good summary and pointers to official documents at:
  72. # https://stackoverflow.com/questions/39980323/are-dictionaries-ordered-in-python-3-6
  73. kobjects = OrderedDict([
  74. ("k_mem_slab", (None, False, True)),
  75. ("k_msgq", (None, False, True)),
  76. ("k_mutex", (None, False, True)),
  77. ("k_pipe", (None, False, True)),
  78. ("k_queue", (None, False, True)),
  79. ("k_poll_signal", (None, False, True)),
  80. ("k_sem", (None, False, True)),
  81. ("k_stack", (None, False, True)),
  82. ("k_thread", (None, False, True)), # But see #
  83. ("k_timer", (None, False, True)),
  84. ("z_thread_stack_element", (None, False, False)),
  85. ("device", (None, False, False)),
  86. ("NET_SOCKET", (None, False, False)),
  87. ("net_if", (None, False, False)),
  88. ("sys_mutex", (None, True, False)),
  89. ("k_futex", (None, True, False)),
  90. ("k_condvar", (None, False, True))
  91. ])
  92. def kobject_to_enum(kobj):
  93. if kobj.startswith("k_") or kobj.startswith("z_"):
  94. name = kobj[2:]
  95. else:
  96. name = kobj
  97. return "K_OBJ_%s" % name.upper()
  98. subsystems = [
  99. # Editing the list is deprecated, add the __subsystem sentinal to your driver
  100. # api declaration instead. e.x.
  101. #
  102. # __subsystem struct my_driver_api {
  103. # ....
  104. #};
  105. ]
  106. # Names of all structs tagged with __net_socket, found by parse_syscalls.py
  107. net_sockets = [ ]
  108. def subsystem_to_enum(subsys):
  109. return "K_OBJ_DRIVER_" + subsys[:-11].upper()
  110. # --- debug stuff ---
  111. scr = os.path.basename(sys.argv[0])
  112. def debug(text):
  113. if not args.verbose:
  114. return
  115. sys.stdout.write(scr + ": " + text + "\n")
  116. def error(text):
  117. sys.exit("%s ERROR: %s" % (scr, text))
  118. def debug_die(die, text):
  119. lp_header = die.dwarfinfo.line_program_for_CU(die.cu).header
  120. files = lp_header["file_entry"]
  121. includes = lp_header["include_directory"]
  122. fileinfo = files[die.attributes["DW_AT_decl_file"].value - 1]
  123. filename = fileinfo.name.decode("utf-8")
  124. filedir = includes[fileinfo.dir_index - 1].decode("utf-8")
  125. path = os.path.join(filedir, filename)
  126. lineno = die.attributes["DW_AT_decl_line"].value
  127. debug(str(die))
  128. debug("File '%s', line %d:" % (path, lineno))
  129. debug(" %s" % text)
  130. # -- ELF processing
  131. DW_OP_addr = 0x3
  132. DW_OP_fbreg = 0x91
  133. STACK_TYPE = "z_thread_stack_element"
  134. thread_counter = 0
  135. sys_mutex_counter = 0
  136. futex_counter = 0
  137. stack_counter = 0
  138. # Global type environment. Populated by pass 1.
  139. type_env = {}
  140. extern_env = {}
  141. class KobjectInstance:
  142. def __init__(self, type_obj, addr):
  143. self.addr = addr
  144. self.type_obj = type_obj
  145. # Type name determined later since drivers needs to look at the
  146. # API struct address
  147. self.type_name = None
  148. self.data = 0
  149. class KobjectType:
  150. def __init__(self, offset, name, size, api=False):
  151. self.name = name
  152. self.size = size
  153. self.offset = offset
  154. self.api = api
  155. def __repr__(self):
  156. return "<kobject %s>" % self.name
  157. @staticmethod
  158. def has_kobject():
  159. return True
  160. def get_kobjects(self, addr):
  161. return {addr: KobjectInstance(self, addr)}
  162. class ArrayType:
  163. def __init__(self, offset, elements, member_type):
  164. self.elements = elements
  165. self.member_type = member_type
  166. self.offset = offset
  167. def __repr__(self):
  168. return "<array of %d>" % self.member_type
  169. def has_kobject(self):
  170. if self.member_type not in type_env:
  171. return False
  172. return type_env[self.member_type].has_kobject()
  173. def get_kobjects(self, addr):
  174. mt = type_env[self.member_type]
  175. # Stacks are arrays of _k_stack_element_t but we want to treat
  176. # the whole array as one kernel object (a thread stack)
  177. # Data value gets set to size of entire region
  178. if isinstance(mt, KobjectType) and mt.name == STACK_TYPE:
  179. # An array of stacks appears as a multi-dimensional array.
  180. # The last size is the size of each stack. We need to track
  181. # each stack within the array, not as one huge stack object.
  182. *dimensions, stacksize = self.elements
  183. num_members = 1
  184. for e in dimensions:
  185. num_members = num_members * e
  186. ret = {}
  187. for i in range(num_members):
  188. a = addr + (i * stacksize)
  189. o = mt.get_kobjects(a)
  190. o[a].data = stacksize
  191. ret.update(o)
  192. return ret
  193. objs = {}
  194. # Multidimensional array flattened out
  195. num_members = 1
  196. for e in self.elements:
  197. num_members = num_members * e
  198. for i in range(num_members):
  199. objs.update(mt.get_kobjects(addr + (i * mt.size)))
  200. return objs
  201. class AggregateTypeMember:
  202. def __init__(self, offset, member_name, member_type, member_offset):
  203. self.member_name = member_name
  204. self.member_type = member_type
  205. if isinstance(member_offset, list):
  206. # DWARF v2, location encoded as set of operations
  207. # only "DW_OP_plus_uconst" with ULEB128 argument supported
  208. if member_offset[0] == 0x23:
  209. self.member_offset = member_offset[1] & 0x7f
  210. for i in range(1, len(member_offset)-1):
  211. if member_offset[i] & 0x80:
  212. self.member_offset += (
  213. member_offset[i+1] & 0x7f) << i*7
  214. else:
  215. raise Exception("not yet supported location operation (%s:%d:%d)" %
  216. (self.member_name, self.member_type, member_offset[0]))
  217. else:
  218. self.member_offset = member_offset
  219. def __repr__(self):
  220. return "<member %s, type %d, offset %d>" % (
  221. self.member_name, self.member_type, self.member_offset)
  222. def has_kobject(self):
  223. if self.member_type not in type_env:
  224. return False
  225. return type_env[self.member_type].has_kobject()
  226. def get_kobjects(self, addr):
  227. mt = type_env[self.member_type]
  228. return mt.get_kobjects(addr + self.member_offset)
  229. class ConstType:
  230. def __init__(self, child_type):
  231. self.child_type = child_type
  232. def __repr__(self):
  233. return "<const %d>" % self.child_type
  234. def has_kobject(self):
  235. if self.child_type not in type_env:
  236. return False
  237. return type_env[self.child_type].has_kobject()
  238. def get_kobjects(self, addr):
  239. return type_env[self.child_type].get_kobjects(addr)
  240. class AggregateType:
  241. def __init__(self, offset, name, size):
  242. self.name = name
  243. self.size = size
  244. self.offset = offset
  245. self.members = []
  246. def add_member(self, member):
  247. self.members.append(member)
  248. def __repr__(self):
  249. return "<struct %s, with %s>" % (self.name, self.members)
  250. def has_kobject(self):
  251. result = False
  252. bad_members = []
  253. for member in self.members:
  254. if member.has_kobject():
  255. result = True
  256. else:
  257. bad_members.append(member)
  258. # Don't need to consider this again, just remove it
  259. for bad_member in bad_members:
  260. self.members.remove(bad_member)
  261. return result
  262. def get_kobjects(self, addr):
  263. objs = {}
  264. for member in self.members:
  265. objs.update(member.get_kobjects(addr))
  266. return objs
  267. # --- helper functions for getting data from DIEs ---
  268. def die_get_spec(die):
  269. if 'DW_AT_specification' not in die.attributes:
  270. return None
  271. spec_val = die.attributes["DW_AT_specification"].value
  272. # offset of the DW_TAG_variable for the extern declaration
  273. offset = spec_val + die.cu.cu_offset
  274. return extern_env.get(offset)
  275. def die_get_name(die):
  276. if 'DW_AT_name' not in die.attributes:
  277. die = die_get_spec(die)
  278. if not die:
  279. return None
  280. return die.attributes["DW_AT_name"].value.decode("utf-8")
  281. def die_get_type_offset(die):
  282. if 'DW_AT_type' not in die.attributes:
  283. die = die_get_spec(die)
  284. if not die:
  285. return None
  286. return die.attributes["DW_AT_type"].value + die.cu.cu_offset
  287. def die_get_byte_size(die):
  288. if 'DW_AT_byte_size' not in die.attributes:
  289. return 0
  290. return die.attributes["DW_AT_byte_size"].value
  291. def analyze_die_struct(die):
  292. name = die_get_name(die) or "<anon>"
  293. offset = die.offset
  294. size = die_get_byte_size(die)
  295. # Incomplete type
  296. if not size:
  297. return
  298. if name in kobjects:
  299. type_env[offset] = KobjectType(offset, name, size)
  300. elif name in subsystems:
  301. type_env[offset] = KobjectType(offset, name, size, api=True)
  302. elif name in net_sockets:
  303. type_env[offset] = KobjectType(offset, "NET_SOCKET", size)
  304. else:
  305. at = AggregateType(offset, name, size)
  306. type_env[offset] = at
  307. for child in die.iter_children():
  308. if child.tag != "DW_TAG_member":
  309. continue
  310. data_member_location = child.attributes.get("DW_AT_data_member_location")
  311. if not data_member_location:
  312. continue
  313. child_type = die_get_type_offset(child)
  314. member_offset = data_member_location.value
  315. cname = die_get_name(child) or "<anon>"
  316. m = AggregateTypeMember(child.offset, cname, child_type,
  317. member_offset)
  318. at.add_member(m)
  319. return
  320. def analyze_die_const(die):
  321. type_offset = die_get_type_offset(die)
  322. if not type_offset:
  323. return
  324. type_env[die.offset] = ConstType(type_offset)
  325. def analyze_die_array(die):
  326. type_offset = die_get_type_offset(die)
  327. elements = []
  328. for child in die.iter_children():
  329. if child.tag != "DW_TAG_subrange_type":
  330. continue
  331. if "DW_AT_upper_bound" in child.attributes:
  332. ub = child.attributes["DW_AT_upper_bound"]
  333. if not ub.form.startswith("DW_FORM_data"):
  334. continue
  335. elements.append(ub.value + 1)
  336. # in DWARF 4, e.g. ARC Metaware toolchain, DW_AT_count is used
  337. # not DW_AT_upper_bound
  338. elif "DW_AT_count" in child.attributes:
  339. ub = child.attributes["DW_AT_count"]
  340. if not ub.form.startswith("DW_FORM_data"):
  341. continue
  342. elements.append(ub.value)
  343. else:
  344. continue
  345. if not elements:
  346. if type_offset in type_env.keys():
  347. mt = type_env[type_offset]
  348. if mt.has_kobject():
  349. if isinstance(mt, KobjectType) and mt.name == STACK_TYPE:
  350. elements.append(1)
  351. type_env[die.offset] = ArrayType(die.offset, elements, type_offset)
  352. else:
  353. type_env[die.offset] = ArrayType(die.offset, elements, type_offset)
  354. def analyze_typedef(die):
  355. type_offset = die_get_type_offset(die)
  356. if type_offset not in type_env.keys():
  357. return
  358. type_env[die.offset] = type_env[type_offset]
  359. def unpack_pointer(elf, data, offset):
  360. endian_code = "<" if elf.little_endian else ">"
  361. if elf.elfclass == 32:
  362. size_code = "I"
  363. size = 4
  364. else:
  365. size_code = "Q"
  366. size = 8
  367. return struct.unpack(endian_code + size_code,
  368. data[offset:offset + size])[0]
  369. def addr_deref(elf, addr):
  370. for section in elf.iter_sections():
  371. start = section['sh_addr']
  372. end = start + section['sh_size']
  373. if start <= addr < end:
  374. data = section.data()
  375. offset = addr - start
  376. return unpack_pointer(elf, data, offset)
  377. return 0
  378. def device_get_api_addr(elf, addr):
  379. # See include/device.h for a description of struct device
  380. offset = 8 if elf.elfclass == 32 else 16
  381. return addr_deref(elf, addr + offset)
  382. def find_kobjects(elf, syms):
  383. global thread_counter
  384. global sys_mutex_counter
  385. global futex_counter
  386. global stack_counter
  387. if not elf.has_dwarf_info():
  388. sys.exit("ELF file has no DWARF information")
  389. app_smem_start = syms["_app_smem_start"]
  390. app_smem_end = syms["_app_smem_end"]
  391. if "CONFIG_LINKER_USE_PINNED_SECTION" in syms and "_app_smem_pinned_start" in syms:
  392. app_smem_pinned_start = syms["_app_smem_pinned_start"]
  393. app_smem_pinned_end = syms["_app_smem_pinned_end"]
  394. else:
  395. app_smem_pinned_start = app_smem_start
  396. app_smem_pinned_end = app_smem_end
  397. user_stack_start = syms["z_user_stacks_start"]
  398. user_stack_end = syms["z_user_stacks_end"]
  399. di = elf.get_dwarf_info()
  400. variables = []
  401. # Step 1: collect all type information.
  402. for CU in di.iter_CUs():
  403. for die in CU.iter_DIEs():
  404. # Unions are disregarded, kernel objects should never be union
  405. # members since the memory is not dedicated to that object and
  406. # could be something else
  407. if die.tag == "DW_TAG_structure_type":
  408. analyze_die_struct(die)
  409. elif die.tag == "DW_TAG_const_type":
  410. analyze_die_const(die)
  411. elif die.tag == "DW_TAG_array_type":
  412. analyze_die_array(die)
  413. elif die.tag == "DW_TAG_typedef":
  414. analyze_typedef(die)
  415. elif die.tag == "DW_TAG_variable":
  416. variables.append(die)
  417. # Step 2: filter type_env to only contain kernel objects, or structs
  418. # and arrays of kernel objects
  419. bad_offsets = []
  420. for offset, type_object in type_env.items():
  421. if not type_object.has_kobject():
  422. bad_offsets.append(offset)
  423. for offset in bad_offsets:
  424. del type_env[offset]
  425. # Step 3: Now that we know all the types we are looking for, examine
  426. # all variables
  427. all_objs = {}
  428. for die in variables:
  429. name = die_get_name(die)
  430. if not name:
  431. continue
  432. if name.startswith("__init_sys_init"):
  433. # Boot-time initialization function; not an actual device
  434. continue
  435. type_offset = die_get_type_offset(die)
  436. # Is this a kernel object, or a structure containing kernel
  437. # objects?
  438. if type_offset not in type_env:
  439. continue
  440. if "DW_AT_declaration" in die.attributes:
  441. # Extern declaration, only used indirectly
  442. extern_env[die.offset] = die
  443. continue
  444. if "DW_AT_location" not in die.attributes:
  445. debug_die(die,
  446. "No location information for object '%s'; possibly stack allocated"
  447. % name)
  448. continue
  449. loc = die.attributes["DW_AT_location"]
  450. if loc.form != "DW_FORM_exprloc" and \
  451. loc.form != "DW_FORM_block1":
  452. debug_die(die, "kernel object '%s' unexpected location format" %
  453. name)
  454. continue
  455. opcode = loc.value[0]
  456. if opcode != DW_OP_addr:
  457. # Check if frame pointer offset DW_OP_fbreg
  458. if opcode == DW_OP_fbreg:
  459. debug_die(die, "kernel object '%s' found on stack" % name)
  460. else:
  461. debug_die(die,
  462. "kernel object '%s' unexpected exprloc opcode %s" %
  463. (name, hex(opcode)))
  464. continue
  465. if "CONFIG_64BIT" in syms:
  466. addr = ((loc.value[1] << 0 ) | (loc.value[2] << 8) |
  467. (loc.value[3] << 16) | (loc.value[4] << 24) |
  468. (loc.value[5] << 32) | (loc.value[6] << 40) |
  469. (loc.value[7] << 48) | (loc.value[8] << 56))
  470. else:
  471. addr = ((loc.value[1] << 0 ) | (loc.value[2] << 8) |
  472. (loc.value[3] << 16) | (loc.value[4] << 24))
  473. if addr == 0:
  474. # Never linked; gc-sections deleted it
  475. continue
  476. type_obj = type_env[type_offset]
  477. objs = type_obj.get_kobjects(addr)
  478. all_objs.update(objs)
  479. debug("symbol '%s' at %s contains %d object(s)"
  480. % (name, hex(addr), len(objs)))
  481. # Step 4: objs is a dictionary mapping variable memory addresses to
  482. # their associated type objects. Now that we have seen all variables
  483. # and can properly look up API structs, convert this into a dictionary
  484. # mapping variables to the C enumeration of what kernel object type it
  485. # is.
  486. ret = {}
  487. for addr, ko in all_objs.items():
  488. # API structs don't get into the gperf table
  489. if ko.type_obj.api:
  490. continue
  491. _, user_ram_allowed, _ = kobjects[ko.type_obj.name]
  492. if (not user_ram_allowed and
  493. ((app_smem_start <= addr < app_smem_end)
  494. or (app_smem_pinned_start <= addr < app_smem_pinned_end))):
  495. debug("object '%s' found in invalid location %s"
  496. % (ko.type_obj.name, hex(addr)))
  497. continue
  498. if (ko.type_obj.name == STACK_TYPE and
  499. (addr < user_stack_start or addr >= user_stack_end)):
  500. debug("skip kernel-only stack at %s" % hex(addr))
  501. continue
  502. # At this point we know the object will be included in the gperf table
  503. if ko.type_obj.name == "k_thread":
  504. # Assign an ID for this thread object, used to track its
  505. # permissions to other kernel objects
  506. ko.data = thread_counter
  507. thread_counter = thread_counter + 1
  508. elif ko.type_obj.name == "sys_mutex":
  509. ko.data = "&kernel_mutexes[%d]" % sys_mutex_counter
  510. sys_mutex_counter += 1
  511. elif ko.type_obj.name == "k_futex":
  512. ko.data = "&futex_data[%d]" % futex_counter
  513. futex_counter += 1
  514. elif ko.type_obj.name == STACK_TYPE:
  515. stack_counter += 1
  516. if ko.type_obj.name != "device":
  517. # Not a device struct so we immediately know its type
  518. ko.type_name = kobject_to_enum(ko.type_obj.name)
  519. ret[addr] = ko
  520. continue
  521. # Device struct. Need to get the address of its API struct,
  522. # if it has one.
  523. apiaddr = device_get_api_addr(elf, addr)
  524. if apiaddr not in all_objs:
  525. if apiaddr == 0:
  526. debug("device instance at 0x%x has no associated subsystem"
  527. % addr)
  528. else:
  529. debug("device instance at 0x%x has unknown API 0x%x"
  530. % (addr, apiaddr))
  531. # API struct does not correspond to a known subsystem, skip it
  532. continue
  533. apiobj = all_objs[apiaddr]
  534. ko.type_name = subsystem_to_enum(apiobj.type_obj.name)
  535. ret[addr] = ko
  536. debug("found %d kernel object instances total" % len(ret))
  537. # 1. Before python 3.7 dict order is not guaranteed. With Python
  538. # 3.5 it doesn't seem random with *integer* keys but can't
  539. # rely on that.
  540. # 2. OrderedDict means _insertion_ order, so not enough because
  541. # built from other (random!) dicts: need to _sort_ first.
  542. # 3. Sorting memory address looks good.
  543. return OrderedDict(sorted(ret.items()))
  544. def get_symbols(elf):
  545. for section in elf.iter_sections():
  546. if isinstance(section, SymbolTableSection):
  547. return {sym.name: sym.entry.st_value
  548. for sym in section.iter_symbols()}
  549. raise LookupError("Could not find symbol table")
  550. # -- GPERF generation logic
  551. header = """%compare-lengths
  552. %define lookup-function-name z_object_lookup
  553. %language=ANSI-C
  554. %global-table
  555. %struct-type
  556. %{
  557. #include <kernel.h>
  558. #include <toolchain.h>
  559. #include <syscall_handler.h>
  560. #include <string.h>
  561. %}
  562. struct z_object;
  563. """
  564. # Different versions of gperf have different prototypes for the lookup
  565. # function, best to implement the wrapper here. The pointer value itself is
  566. # turned into a string, we told gperf to expect binary strings that are not
  567. # NULL-terminated.
  568. footer = """%%
  569. struct z_object *z_object_gperf_find(const void *obj)
  570. {
  571. return z_object_lookup((const char *)obj, sizeof(void *));
  572. }
  573. void z_object_gperf_wordlist_foreach(_wordlist_cb_func_t func, void *context)
  574. {
  575. int i;
  576. for (i = MIN_HASH_VALUE; i <= MAX_HASH_VALUE; i++) {
  577. if (wordlist[i].name != NULL) {
  578. func(&wordlist[i], context);
  579. }
  580. }
  581. }
  582. #ifndef CONFIG_DYNAMIC_OBJECTS
  583. struct z_object *z_object_find(const void *obj)
  584. ALIAS_OF(z_object_gperf_find);
  585. void z_object_wordlist_foreach(_wordlist_cb_func_t func, void *context)
  586. ALIAS_OF(z_object_gperf_wordlist_foreach);
  587. #endif
  588. """
  589. def write_gperf_table(fp, syms, objs, little_endian, static_begin, static_end):
  590. fp.write(header)
  591. if sys_mutex_counter != 0:
  592. fp.write("static struct k_mutex kernel_mutexes[%d] = {\n"
  593. % sys_mutex_counter)
  594. for i in range(sys_mutex_counter):
  595. fp.write("Z_MUTEX_INITIALIZER(kernel_mutexes[%d])" % i)
  596. if i != sys_mutex_counter - 1:
  597. fp.write(", ")
  598. fp.write("};\n")
  599. if futex_counter != 0:
  600. fp.write("static struct z_futex_data futex_data[%d] = {\n"
  601. % futex_counter)
  602. for i in range(futex_counter):
  603. fp.write("Z_FUTEX_DATA_INITIALIZER(futex_data[%d])" % i)
  604. if i != futex_counter - 1:
  605. fp.write(", ")
  606. fp.write("};\n")
  607. metadata_names = {
  608. "K_OBJ_THREAD" : "thread_id",
  609. "K_OBJ_SYS_MUTEX" : "mutex",
  610. "K_OBJ_FUTEX" : "futex_data"
  611. }
  612. if "CONFIG_GEN_PRIV_STACKS" in syms:
  613. metadata_names["K_OBJ_THREAD_STACK_ELEMENT"] = "stack_data"
  614. if stack_counter != 0:
  615. # Same as K_KERNEL_STACK_ARRAY_DEFINE, but routed to a different
  616. # memory section.
  617. fp.write("static uint8_t Z_GENERIC_SECTION(.priv_stacks.noinit) "
  618. " __aligned(Z_KERNEL_STACK_OBJ_ALIGN)"
  619. " priv_stacks[%d][Z_KERNEL_STACK_LEN(CONFIG_PRIVILEGED_STACK_SIZE)];\n"
  620. % stack_counter)
  621. fp.write("static const struct z_stack_data stack_data[%d] = {\n"
  622. % stack_counter)
  623. counter = 0
  624. for _, ko in objs.items():
  625. if ko.type_name != "K_OBJ_THREAD_STACK_ELEMENT":
  626. continue
  627. # ko.data currently has the stack size. fetch the value to
  628. # populate the appropriate entry in stack_data, and put
  629. # a reference to the entry in stack_data into the data value
  630. # instead
  631. size = ko.data
  632. ko.data = "&stack_data[%d]" % counter
  633. fp.write("\t{ %d, (uint8_t *)(&priv_stacks[%d]) }"
  634. % (size, counter))
  635. if counter != (stack_counter - 1):
  636. fp.write(",")
  637. fp.write("\n")
  638. counter += 1
  639. fp.write("};\n")
  640. else:
  641. metadata_names["K_OBJ_THREAD_STACK_ELEMENT"] = "stack_size"
  642. fp.write("%%\n")
  643. # Setup variables for mapping thread indexes
  644. thread_max_bytes = syms["CONFIG_MAX_THREAD_BYTES"]
  645. thread_idx_map = {}
  646. for i in range(0, thread_max_bytes):
  647. thread_idx_map[i] = 0xFF
  648. for obj_addr, ko in objs.items():
  649. obj_type = ko.type_name
  650. # pre-initialized objects fall within this memory range, they are
  651. # either completely initialized at build time, or done automatically
  652. # at boot during some PRE_KERNEL_* phase
  653. initialized = static_begin <= obj_addr < static_end
  654. is_driver = obj_type.startswith("K_OBJ_DRIVER_")
  655. if "CONFIG_64BIT" in syms:
  656. format_code = "Q"
  657. else:
  658. format_code = "I"
  659. if little_endian:
  660. endian = "<"
  661. else:
  662. endian = ">"
  663. byte_str = struct.pack(endian + format_code, obj_addr)
  664. fp.write("\"")
  665. for byte in byte_str:
  666. val = "\\x%02x" % byte
  667. fp.write(val)
  668. flags = "0"
  669. if initialized:
  670. flags += " | K_OBJ_FLAG_INITIALIZED"
  671. if is_driver:
  672. flags += " | K_OBJ_FLAG_DRIVER"
  673. if ko.type_name in metadata_names:
  674. tname = metadata_names[ko.type_name]
  675. else:
  676. tname = "unused"
  677. fp.write("\", {}, %s, %s, { .%s = %s }\n" % (obj_type, flags,
  678. tname, str(ko.data)))
  679. if obj_type == "K_OBJ_THREAD":
  680. idx = math.floor(ko.data / 8)
  681. bit = ko.data % 8
  682. thread_idx_map[idx] = thread_idx_map[idx] & ~(2**bit)
  683. fp.write(footer)
  684. # Generate the array of already mapped thread indexes
  685. fp.write('\n')
  686. fp.write('uint8_t _thread_idx_map[%d] = {' % (thread_max_bytes))
  687. for i in range(0, thread_max_bytes):
  688. fp.write(' 0x%x, ' % (thread_idx_map[i]))
  689. fp.write('};\n')
  690. driver_macro_tpl = """
  691. #define Z_SYSCALL_DRIVER_%(driver_upper)s(ptr, op) Z_SYSCALL_DRIVER_GEN(ptr, op, %(driver_lower)s, %(driver_upper)s)
  692. """
  693. def write_validation_output(fp):
  694. fp.write("#ifndef DRIVER_VALIDATION_GEN_H\n")
  695. fp.write("#define DRIVER_VALIDATION_GEN_H\n")
  696. fp.write("""#define Z_SYSCALL_DRIVER_GEN(ptr, op, driver_lower_case, driver_upper_case) \\
  697. (Z_SYSCALL_OBJ(ptr, K_OBJ_DRIVER_##driver_upper_case) || \\
  698. Z_SYSCALL_DRIVER_OP(ptr, driver_lower_case##_driver_api, op))
  699. """)
  700. for subsystem in subsystems:
  701. subsystem = subsystem.replace("_driver_api", "")
  702. fp.write(driver_macro_tpl % {
  703. "driver_lower": subsystem.lower(),
  704. "driver_upper": subsystem.upper(),
  705. })
  706. fp.write("#endif /* DRIVER_VALIDATION_GEN_H */\n")
  707. def write_kobj_types_output(fp):
  708. fp.write("/* Core kernel objects */\n")
  709. for kobj, obj_info in kobjects.items():
  710. dep, _, _ = obj_info
  711. if kobj == "device":
  712. continue
  713. if dep:
  714. fp.write("#ifdef %s\n" % dep)
  715. fp.write("%s,\n" % kobject_to_enum(kobj))
  716. if dep:
  717. fp.write("#endif\n")
  718. fp.write("/* Driver subsystems */\n")
  719. for subsystem in subsystems:
  720. subsystem = subsystem.replace("_driver_api", "").upper()
  721. fp.write("K_OBJ_DRIVER_%s,\n" % subsystem)
  722. def write_kobj_otype_output(fp):
  723. fp.write("/* Core kernel objects */\n")
  724. for kobj, obj_info in kobjects.items():
  725. dep, _, _ = obj_info
  726. if kobj == "device":
  727. continue
  728. if dep:
  729. fp.write("#ifdef %s\n" % dep)
  730. fp.write('case %s: ret = "%s"; break;\n' %
  731. (kobject_to_enum(kobj), kobj))
  732. if dep:
  733. fp.write("#endif\n")
  734. fp.write("/* Driver subsystems */\n")
  735. for subsystem in subsystems:
  736. subsystem = subsystem.replace("_driver_api", "")
  737. fp.write('case K_OBJ_DRIVER_%s: ret = "%s driver"; break;\n' % (
  738. subsystem.upper(),
  739. subsystem
  740. ))
  741. def write_kobj_size_output(fp):
  742. fp.write("/* Non device/stack objects */\n")
  743. for kobj, obj_info in kobjects.items():
  744. dep, _, alloc = obj_info
  745. if not alloc:
  746. continue
  747. if dep:
  748. fp.write("#ifdef %s\n" % dep)
  749. fp.write('case %s: ret = sizeof(struct %s); break;\n' %
  750. (kobject_to_enum(kobj), kobj))
  751. if dep:
  752. fp.write("#endif\n")
  753. def parse_subsystems_list_file(path):
  754. with open(path, "r") as fp:
  755. subsys_list = json.load(fp)
  756. subsystems.extend(subsys_list["__subsystem"])
  757. net_sockets.extend(subsys_list["__net_socket"])
  758. def parse_args():
  759. global args
  760. parser = argparse.ArgumentParser(
  761. description=__doc__,
  762. formatter_class=argparse.RawDescriptionHelpFormatter)
  763. parser.add_argument("-k", "--kernel", required=False,
  764. help="Input zephyr ELF binary")
  765. parser.add_argument(
  766. "-g", "--gperf-output", required=False,
  767. help="Output list of kernel object addresses for gperf use")
  768. parser.add_argument(
  769. "-V", "--validation-output", required=False,
  770. help="Output driver validation macros")
  771. parser.add_argument(
  772. "-K", "--kobj-types-output", required=False,
  773. help="Output k_object enum constants")
  774. parser.add_argument(
  775. "-S", "--kobj-otype-output", required=False,
  776. help="Output case statements for otype_to_str()")
  777. parser.add_argument(
  778. "-Z", "--kobj-size-output", required=False,
  779. help="Output case statements for obj_size_get()")
  780. parser.add_argument("-i", "--include-subsystem-list", required=False, action='append',
  781. help='''Specifies a file with a JSON encoded list of subsystem names to append to
  782. the driver subsystems list. Can be specified multiple times:
  783. -i file1 -i file2 ...''')
  784. parser.add_argument("-v", "--verbose", action="store_true",
  785. help="Print extra debugging information")
  786. args = parser.parse_args()
  787. if "VERBOSE" in os.environ:
  788. args.verbose = 1
  789. def main():
  790. parse_args()
  791. if args.include_subsystem_list is not None:
  792. for list_file in args.include_subsystem_list:
  793. parse_subsystems_list_file(list_file)
  794. if args.gperf_output:
  795. assert args.kernel, "--kernel ELF required for --gperf-output"
  796. elf = ELFFile(open(args.kernel, "rb"))
  797. syms = get_symbols(elf)
  798. max_threads = syms["CONFIG_MAX_THREAD_BYTES"] * 8
  799. objs = find_kobjects(elf, syms)
  800. if not objs:
  801. sys.stderr.write("WARNING: zero kobject found in %s\n"
  802. % args.kernel)
  803. if thread_counter > max_threads:
  804. sys.exit("Too many thread objects ({})\n"
  805. "Increase CONFIG_MAX_THREAD_BYTES to {}"
  806. .format(thread_counter, -(-thread_counter // 8)))
  807. with open(args.gperf_output, "w") as fp:
  808. write_gperf_table(fp, syms, objs, elf.little_endian,
  809. syms["_static_kernel_objects_begin"],
  810. syms["_static_kernel_objects_end"])
  811. if args.validation_output:
  812. with open(args.validation_output, "w") as fp:
  813. write_validation_output(fp)
  814. if args.kobj_types_output:
  815. with open(args.kobj_types_output, "w") as fp:
  816. write_kobj_types_output(fp)
  817. if args.kobj_otype_output:
  818. with open(args.kobj_otype_output, "w") as fp:
  819. write_kobj_otype_output(fp)
  820. if args.kobj_size_output:
  821. with open(args.kobj_size_output, "w") as fp:
  822. write_kobj_size_output(fp)
  823. if __name__ == "__main__":
  824. main()