gen_isr_tables.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2017 Intel Corporation
  4. # Copyright (c) 2018 Foundries.io
  5. #
  6. # SPDX-License-Identifier: Apache-2.0
  7. #
  8. import argparse
  9. import struct
  10. import sys
  11. import os
  12. from elftools.elf.elffile import ELFFile
  13. from elftools.elf.sections import SymbolTableSection
  14. ISR_FLAG_DIRECT = (1 << 0)
  15. # The below few hardware independent magic numbers represent various
  16. # levels of interrupts in a multi-level interrupt system.
  17. # 0x000000FF - represents the 1st level (i.e. the interrupts
  18. # that directly go to the processor).
  19. # 0x0000FF00 - represents the 2nd level (i.e. the interrupts funnel
  20. # into 1 line which then goes into the 1st level)
  21. # 0x00FF0000 - represents the 3rd level (i.e. the interrupts funnel
  22. # into 1 line which then goes into the 2nd level)
  23. FIRST_LVL_INTERRUPTS = 0x000000FF
  24. SECND_LVL_INTERRUPTS = 0x0000FF00
  25. THIRD_LVL_INTERRUPTS = 0x00FF0000
  26. def debug(text):
  27. if args.debug:
  28. sys.stdout.write(os.path.basename(sys.argv[0]) + ": " + text + "\n")
  29. def error(text):
  30. sys.exit(os.path.basename(sys.argv[0]) + ": error: " + text + "\n")
  31. def endian_prefix():
  32. if args.big_endian:
  33. return ">"
  34. else:
  35. return "<"
  36. def read_intlist(intlist_path, syms):
  37. """read a binary file containing the contents of the kernel's .intList
  38. section. This is an instance of a header created by
  39. include/linker/intlist.ld:
  40. struct {
  41. uint32_t num_vectors; <- typically CONFIG_NUM_IRQS
  42. struct _isr_list isrs[]; <- Usually of smaller size than num_vectors
  43. }
  44. Followed by instances of struct _isr_list created by IRQ_CONNECT()
  45. calls:
  46. struct _isr_list {
  47. /** IRQ line number */
  48. int32_t irq;
  49. /** Flags for this IRQ, see ISR_FLAG_* definitions */
  50. int32_t flags;
  51. /** ISR to call */
  52. void *func;
  53. /** Parameter for non-direct IRQs */
  54. const void *param;
  55. };
  56. """
  57. intlist = {}
  58. prefix = endian_prefix()
  59. intlist_header_fmt = prefix + "II"
  60. if "CONFIG_64BIT" in syms:
  61. intlist_entry_fmt = prefix + "iiQQ"
  62. else:
  63. intlist_entry_fmt = prefix + "iiII"
  64. with open(intlist_path, "rb") as fp:
  65. intdata = fp.read()
  66. header_sz = struct.calcsize(intlist_header_fmt)
  67. header = struct.unpack_from(intlist_header_fmt, intdata, 0)
  68. intdata = intdata[header_sz:]
  69. debug(str(header))
  70. intlist["num_vectors"] = header[0]
  71. intlist["offset"] = header[1]
  72. intlist["interrupts"] = [i for i in
  73. struct.iter_unpack(intlist_entry_fmt, intdata)]
  74. debug("Configured interrupt routing")
  75. debug("handler irq flags param")
  76. debug("--------------------------")
  77. for irq in intlist["interrupts"]:
  78. debug("{0:<10} {1:<3} {2:<3} {3}".format(
  79. hex(irq[2]), irq[0], irq[1], hex(irq[3])))
  80. return intlist
  81. def parse_args():
  82. global args
  83. parser = argparse.ArgumentParser(description=__doc__,
  84. formatter_class=argparse.RawDescriptionHelpFormatter)
  85. parser.add_argument("-e", "--big-endian", action="store_true",
  86. help="Target encodes data in big-endian format (little endian is "
  87. "the default)")
  88. parser.add_argument("-d", "--debug", action="store_true",
  89. help="Print additional debugging information")
  90. parser.add_argument("-o", "--output-source", required=True,
  91. help="Output source file")
  92. parser.add_argument("-k", "--kernel", required=True,
  93. help="Zephyr kernel image")
  94. parser.add_argument("-s", "--sw-isr-table", action="store_true",
  95. help="Generate SW ISR table")
  96. parser.add_argument("-V", "--vector-table", action="store_true",
  97. help="Generate vector table")
  98. parser.add_argument("-i", "--intlist", required=True,
  99. help="Zephyr intlist binary for intList extraction")
  100. args = parser.parse_args()
  101. source_header = """
  102. /* AUTO-GENERATED by gen_isr_tables.py, do not edit! */
  103. #include <toolchain.h>
  104. #include <linker/sections.h>
  105. #include <sw_isr_table.h>
  106. #include <arch/cpu.h>
  107. #if defined(CONFIG_GEN_SW_ISR_TABLE) && defined(CONFIG_GEN_IRQ_VECTOR_TABLE)
  108. #define ISR_WRAPPER ((uintptr_t)&_isr_wrapper)
  109. #else
  110. #define ISR_WRAPPER NULL
  111. #endif
  112. typedef void (* ISR)(const void *);
  113. """
  114. def write_source_file(fp, vt, swt, intlist, syms):
  115. fp.write(source_header)
  116. nv = intlist["num_vectors"]
  117. if vt:
  118. fp.write("uintptr_t __irq_vector_table _irq_vector_table[%d] = {\n" % nv)
  119. for i in range(nv):
  120. fp.write("\t{},\n".format(vt[i]))
  121. fp.write("};\n")
  122. if not swt:
  123. return
  124. fp.write("struct _isr_table_entry __sw_isr_table _sw_isr_table[%d] = {\n"
  125. % nv)
  126. level2_offset = syms.get("CONFIG_2ND_LVL_ISR_TBL_OFFSET")
  127. level3_offset = syms.get("CONFIG_3RD_LVL_ISR_TBL_OFFSET")
  128. for i in range(nv):
  129. param, func = swt[i]
  130. if isinstance(func, int):
  131. func_as_string = "{0:#x}".format(func)
  132. else:
  133. func_as_string = func
  134. if level2_offset is not None and i == level2_offset:
  135. fp.write("\t/* Level 2 interrupts start here (offset: {}) */\n".
  136. format(level2_offset))
  137. if level3_offset is not None and i == level3_offset:
  138. fp.write("\t/* Level 3 interrupts start here (offset: {}) */\n".
  139. format(level3_offset))
  140. fp.write("\t{{(const void *){0:#x}, (ISR){1}}},\n".format(param, func_as_string))
  141. fp.write("};\n")
  142. def get_symbols(obj):
  143. for section in obj.iter_sections():
  144. if isinstance(section, SymbolTableSection):
  145. return {sym.name: sym.entry.st_value
  146. for sym in section.iter_symbols()}
  147. error("Could not find symbol table")
  148. def getindex(irq, irq_aggregator_pos):
  149. try:
  150. return irq_aggregator_pos.index(irq)
  151. except ValueError:
  152. error("IRQ {} not present in parent offsets ({}). ".
  153. format(irq, irq_aggregator_pos) +
  154. " Recheck interrupt configuration.")
  155. def main():
  156. parse_args()
  157. with open(args.kernel, "rb") as fp:
  158. kernel = ELFFile(fp)
  159. syms = get_symbols(kernel)
  160. if "CONFIG_MULTI_LEVEL_INTERRUPTS" in syms:
  161. max_irq_per = syms["CONFIG_MAX_IRQ_PER_AGGREGATOR"]
  162. if "CONFIG_2ND_LEVEL_INTERRUPTS" in syms:
  163. num_aggregators = syms["CONFIG_NUM_2ND_LEVEL_AGGREGATORS"]
  164. irq2_baseoffset = syms["CONFIG_2ND_LVL_ISR_TBL_OFFSET"]
  165. list_2nd_lvl_offsets = [syms['CONFIG_2ND_LVL_INTR_{}_OFFSET'.
  166. format(str(i).zfill(2))] for i in
  167. range(num_aggregators)]
  168. debug('2nd level offsets: {}'.format(list_2nd_lvl_offsets))
  169. if "CONFIG_3RD_LEVEL_INTERRUPTS" in syms:
  170. num_aggregators = syms["CONFIG_NUM_3RD_LEVEL_AGGREGATORS"]
  171. irq3_baseoffset = syms["CONFIG_3RD_LVL_ISR_TBL_OFFSET"]
  172. list_3rd_lvl_offsets = [syms['CONFIG_3RD_LVL_INTR_{}_OFFSET'.
  173. format(str(i).zfill(2))] for i in
  174. range(num_aggregators)]
  175. debug('3rd level offsets: {}'.format(list_3rd_lvl_offsets))
  176. intlist = read_intlist(args.intlist, syms)
  177. nvec = intlist["num_vectors"]
  178. offset = intlist["offset"]
  179. if nvec > pow(2, 15):
  180. raise ValueError('nvec is too large, check endianness.')
  181. spurious_handler = "&z_irq_spurious"
  182. sw_irq_handler = "ISR_WRAPPER"
  183. debug('offset is ' + str(offset))
  184. debug('num_vectors is ' + str(nvec))
  185. # Set default entries in both tables
  186. if args.sw_isr_table:
  187. # All vectors just jump to the common sw_irq_handler. If some entries
  188. # are used for direct interrupts, they will be replaced later.
  189. if args.vector_table:
  190. vt = [sw_irq_handler for i in range(nvec)]
  191. else:
  192. vt = None
  193. # Default to spurious interrupt handler. Configured interrupts
  194. # will replace these entries.
  195. swt = [(0, spurious_handler) for i in range(nvec)]
  196. else:
  197. if args.vector_table:
  198. vt = [spurious_handler for i in range(nvec)]
  199. else:
  200. error("one or both of -s or -V needs to be specified on command line")
  201. swt = None
  202. for irq, flags, func, param in intlist["interrupts"]:
  203. if flags & ISR_FLAG_DIRECT:
  204. if param != 0:
  205. error("Direct irq %d declared, but has non-NULL parameter"
  206. % irq)
  207. if not 0 <= irq - offset < len(vt):
  208. error("IRQ %d (offset=%d) exceeds the maximum of %d" %
  209. (irq - offset, offset, len(vt) - 1))
  210. vt[irq - offset] = func
  211. else:
  212. # Regular interrupt
  213. if not swt:
  214. error("Regular Interrupt %d declared with parameter 0x%x "
  215. "but no SW ISR_TABLE in use"
  216. % (irq, param))
  217. if not "CONFIG_MULTI_LEVEL_INTERRUPTS" in syms:
  218. table_index = irq - offset
  219. else:
  220. # Figure out third level interrupt position
  221. debug('IRQ = ' + hex(irq))
  222. irq3 = (irq & THIRD_LVL_INTERRUPTS) >> 16
  223. irq2 = (irq & SECND_LVL_INTERRUPTS) >> 8
  224. irq1 = (irq & FIRST_LVL_INTERRUPTS)
  225. if irq3:
  226. irq_parent = irq2
  227. list_index = getindex(irq_parent, list_3rd_lvl_offsets)
  228. irq3_pos = irq3_baseoffset + max_irq_per*list_index + irq3 - 1
  229. debug('IRQ_level = 3')
  230. debug('IRQ_Indx = ' + str(irq3))
  231. debug('IRQ_Pos = ' + str(irq3_pos))
  232. table_index = irq3_pos - offset
  233. # Figure out second level interrupt position
  234. elif irq2:
  235. irq_parent = irq1
  236. list_index = getindex(irq_parent, list_2nd_lvl_offsets)
  237. irq2_pos = irq2_baseoffset + max_irq_per*list_index + irq2 - 1
  238. debug('IRQ_level = 2')
  239. debug('IRQ_Indx = ' + str(irq2))
  240. debug('IRQ_Pos = ' + str(irq2_pos))
  241. table_index = irq2_pos - offset
  242. # Figure out first level interrupt position
  243. else:
  244. debug('IRQ_level = 1')
  245. debug('IRQ_Indx = ' + str(irq1))
  246. debug('IRQ_Pos = ' + str(irq1))
  247. table_index = irq1 - offset
  248. if not 0 <= table_index < len(swt):
  249. error("IRQ %d (offset=%d) exceeds the maximum of %d" %
  250. (table_index, offset, len(swt) - 1))
  251. if swt[table_index] != (0, spurious_handler):
  252. error(f"multiple registrations at table_index {table_index} for irq {irq} (0x{irq:x})"
  253. + f"\nExisting handler 0x{swt[table_index][1]:x}, new handler 0x{func:x}"
  254. + "\nHas IRQ_CONNECT or IRQ_DIRECT_CONNECT accidentally been invoked on the same irq multiple times?"
  255. )
  256. swt[table_index] = (param, func)
  257. with open(args.output_source, "w") as fp:
  258. write_source_file(fp, vt, swt, intlist, syms)
  259. if __name__ == "__main__":
  260. main()