parse_syscalls.py 4.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2017 Intel Corporation
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. """
  7. Script to scan Zephyr include directories and emit system call and subsystem metadata
  8. System calls require a great deal of boilerplate code in order to implement
  9. completely. This script is the first step in the build system's process of
  10. auto-generating this code by doing a text scan of directories containing
  11. C or header files, and building up a database of system calls and their
  12. function call prototypes. This information is emitted to a generated
  13. JSON file for further processing.
  14. This script also scans for struct definitions such as __subsystem and
  15. __net_socket, emitting a JSON dictionary mapping tags to all the struct
  16. declarations found that were tagged with them.
  17. If the output JSON file already exists, its contents are checked against
  18. what information this script would have outputted; if the result is that the
  19. file would be unchanged, it is not modified to prevent unnecessary
  20. incremental builds.
  21. """
  22. import sys
  23. import re
  24. import argparse
  25. import os
  26. import json
  27. regex_flags = re.MULTILINE | re.VERBOSE
  28. syscall_regex = re.compile(r'''
  29. __syscall\s+ # __syscall attribute, must be first
  30. ([^(]+) # type and name of system call (split later)
  31. [(] # Function opening parenthesis
  32. ([^)]*) # Arg list (split later)
  33. [)] # Closing parenthesis
  34. ''', regex_flags)
  35. struct_tags = ["__subsystem", "__net_socket"]
  36. tagged_struct_decl_template = r'''
  37. %s\s+ # tag, must be first
  38. struct\s+ # struct keyword is next
  39. ([^{]+) # name of subsystem
  40. [{] # Open curly bracket
  41. '''
  42. def tagged_struct_update(target_list, tag, contents):
  43. regex = re.compile(tagged_struct_decl_template % tag, regex_flags)
  44. items = [mo.groups()[0].strip() for mo in regex.finditer(contents)]
  45. target_list.extend(items)
  46. def analyze_headers(multiple_directories):
  47. syscall_ret = []
  48. tagged_ret = {}
  49. for tag in struct_tags:
  50. tagged_ret[tag] = []
  51. for base_path in multiple_directories:
  52. for root, dirs, files in os.walk(base_path, topdown=True):
  53. dirs.sort()
  54. files.sort()
  55. for fn in files:
  56. # toolchain/common.h has the definitions of these tagswhich we
  57. # don't want to trip over
  58. path = os.path.join(root, fn)
  59. if (not (path.endswith(".h") or path.endswith(".c")) or
  60. path.endswith(os.path.join(os.sep, 'toolchain',
  61. 'common.h'))):
  62. continue
  63. with open(path, "r", encoding="utf-8") as fp:
  64. contents = fp.read()
  65. try:
  66. syscall_result = [(mo.groups(), fn)
  67. for mo in syscall_regex.finditer(contents)]
  68. for tag in struct_tags:
  69. tagged_struct_update(tagged_ret[tag], tag, contents)
  70. except Exception:
  71. sys.stderr.write("While parsing %s\n" % fn)
  72. raise
  73. syscall_ret.extend(syscall_result)
  74. return syscall_ret, tagged_ret
  75. def update_file_if_changed(path, new):
  76. if os.path.exists(path):
  77. with open(path, 'r') as fp:
  78. old = fp.read()
  79. if new != old:
  80. with open(path, 'w') as fp:
  81. fp.write(new)
  82. else:
  83. with open(path, 'w') as fp:
  84. fp.write(new)
  85. def parse_args():
  86. global args
  87. parser = argparse.ArgumentParser(
  88. description=__doc__,
  89. formatter_class=argparse.RawDescriptionHelpFormatter)
  90. parser.add_argument("-i", "--include", required=True, action='append',
  91. help='''include directories recursively scanned
  92. for .h files. Can be specified multiple times:
  93. -i topdir1 -i topdir2 ...''')
  94. parser.add_argument(
  95. "-j", "--json-file", required=True,
  96. help="Write system call prototype information as json to file")
  97. parser.add_argument(
  98. "-t", "--tag-struct-file", required=True,
  99. help="Write tagged struct name information as json to file")
  100. args = parser.parse_args()
  101. def main():
  102. parse_args()
  103. syscalls, tagged = analyze_headers(args.include)
  104. # Only write json files if they don't exist or have changes since
  105. # they will force an incremental rebuild.
  106. syscalls_in_json = json.dumps(
  107. syscalls,
  108. indent=4,
  109. sort_keys=True
  110. )
  111. update_file_if_changed(args.json_file, syscalls_in_json)
  112. tagged_struct_in_json = json.dumps(
  113. tagged,
  114. indent=4,
  115. sort_keys=True
  116. )
  117. update_file_if_changed(args.tag_struct_file, tagged_struct_in_json)
  118. if __name__ == "__main__":
  119. main()