config_xml_export.py 8.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229
  1. # -*- coding: utf-8 -*-
  2. import os
  3. import re
  4. import sys
  5. import struct
  6. import collections
  7. import argparse
  8. try:
  9. import xml.etree.cElementTree as ET
  10. except ImportError:
  11. import xml.etree.ElementTree as ET
  12. import logger
  13. class XML_Parse(object):
  14. """
  15. XML file parser.
  16. """
  17. def __init__(self, log):
  18. self.LOG = log
  19. self.xml_root = None
  20. def open_xml(self, xml_handle):
  21. if os.path.isfile(xml_handle):
  22. tree = ET.ElementTree(file = xml_handle)
  23. self.xml_root = tree.getroot()
  24. elif isinstance(xml_handle, basestring):
  25. self.xml_root = ET.fromstring(xml_handle)
  26. else:
  27. raise Exception("%r NOT a XML file or XML string" %xml_handle)
  28. def enumerate_all_subroot(self, root = None):
  29. """Enumerate all sub item of the root.
  30. """
  31. subroot_list = []
  32. if root is None:
  33. root = self.xml_root
  34. for sub_root in root.iter():
  35. # self.LOG.debug(sub_root.tag, sub_root.attrib)
  36. subroot_list.append(sub_root)
  37. return subroot_list
  38. def enumerate_subroot(self, key, root = None):
  39. """Enumerate sub item of the root's first level.
  40. """
  41. if root is None:
  42. root = self.xml_root
  43. return root.findall(key)
  44. def indent(self, elem, level = 0):
  45. """Add indent for the xml string
  46. """
  47. i = "\n" + level * " "
  48. if len(elem):
  49. if not elem.text or not elem.text.strip():
  50. elem.text = i + " "
  51. if not elem.tail or not elem.tail.strip():
  52. elem.tail = i
  53. for elem in elem:
  54. xml_indent(elem, level + 1)
  55. if not elem.tail or not elem.tail.strip():
  56. elem.tail = i
  57. else:
  58. if level and (not elem.tail or not elem.tail.strip()):
  59. elem.tail = i
  60. class ConfigXML(XML_Parse):
  61. """
  62. config xml file parser.
  63. """
  64. def __init__(self, log):
  65. super().__init__(log)
  66. self.cfg_key = "config"
  67. self.item_key = "item"
  68. self.config_name_key = "name"
  69. self.config_id_key = "cfg_id"
  70. self.config_size_key = "size"
  71. self.item_name_key = "name"
  72. self.item_offset_key = "offs"
  73. self.item_size_key = "size"
  74. self.config_name_p = re.compile(r'^\s*CFG_(\w+)\s*')
  75. self.item_type_p = re.compile(r'^\s*(\w+)\s+(\w+)[^;]+;', re.M)
  76. self.cfg_type_size_d = {'cfg_uint8' : 1, 'cfg_uint16' : 2, 'cfg_uint32' : 4}
  77. def get_config_structure(self, cfg_src_c_file):
  78. with open(cfg_src_c_file, 'r', encoding = 'utf-8') as f:
  79. cfg_c_source_str = f.read()
  80. class_def_p = re.compile(r'^class\s+', re.M)
  81. position_list = []
  82. for class_obj in class_def_p.finditer(cfg_c_source_str):
  83. position_list.append((class_obj.start(), class_obj.end()))
  84. cfg_class_count = len(position_list)
  85. self.LOG.debug("Has %d classes" %cfg_class_count)
  86. position_list.append((len(cfg_c_source_str), 0))
  87. self.LOG.debug(position_list)
  88. cfg_structure_dict = {}
  89. for i in range(cfg_class_count):
  90. structure_str = cfg_c_source_str[position_list[i][1] : position_list[i + 1][0]]
  91. cfg_obj = self.config_name_p.match(structure_str)
  92. if not cfg_obj:
  93. self.LOG.error("NOT support config pattern %s" %structure_str[:20])
  94. continue
  95. config_name = cfg_obj.groups()[0]
  96. cfg_structure_dict[config_name] = []
  97. for item_obj in self.item_type_p.finditer(structure_str, pos = cfg_obj.end()):
  98. info_tuple = item_obj.groups()
  99. cfg_structure_dict[config_name].append(info_tuple)
  100. self.LOG.debug(cfg_structure_dict)
  101. return cfg_structure_dict
  102. def get_config_key_info(self, cfg_xml_file, cfg_src_c_file):
  103. self.open_xml(cfg_xml_file)
  104. cfg_structure_dict = self.get_config_structure(cfg_src_c_file)
  105. # info pattern: config name, config id, offset, size
  106. config_info_dict = {}
  107. cfg_element_list = self.enumerate_subroot(self.cfg_key)
  108. for cfg_root in cfg_element_list:
  109. config_name = cfg_root.attrib[self.config_name_key]
  110. config_id = int(cfg_root.attrib[self.config_id_key], 0)
  111. config_size = int(cfg_root.attrib[self.config_size_key], 0)
  112. item_element_list = self.enumerate_subroot(self.item_key, cfg_root)
  113. item_name_list = []
  114. for item_element in item_element_list:
  115. item_name = item_element.attrib[self.item_name_key]
  116. item_offset = int(item_element.attrib[self.item_offset_key], 0)
  117. item_size = int(item_element.attrib[self.item_size_key], 0)
  118. config_info_dict["%s_%s" %(config_name, item_name)] = (config_id, item_offset, item_size)
  119. item_name_list.append(item_name)
  120. hide_items = len(cfg_structure_dict[config_name]) - len(item_element_list)
  121. if hide_items > 0:
  122. self.LOG.debug("Has %d hide items in %s" %(hide_items, config_name))
  123. item_info_list = cfg_structure_dict[config_name]
  124. item_offset = 0
  125. for item_type, item_name in item_info_list:
  126. if item_type not in self.cfg_type_size_d:
  127. self.LOG.debug("NOT support type %s for %s" %(item_type, item_name))
  128. elif item_name not in item_name_list:
  129. item_size = self.cfg_type_size_d[item_type]
  130. item_offset = (item_offset + item_size - 1) // item_size * item_size
  131. self.LOG.info("Hide item %s offset %d, size %d" %(item_name, item_offset, item_size))
  132. config_info_dict["%s_%s" %(config_name, item_name)] = (config_id, item_offset, item_size)
  133. item_offset += item_size
  134. else:
  135. info_tuple = config_info_dict["%s_%s" %(config_name, item_name)]
  136. item_offset = info_tuple[1] + info_tuple[2]
  137. # print(config_info_dict)
  138. return config_info_dict
  139. def export_config_item_info(self, cfg_xml_file, cfg_src_c_file, output_file):
  140. """Build driver header file, include all config item
  141. """
  142. head_macro = os.path.basename(output_file).split(".")[0].upper()
  143. config_info_dict = self.get_config_key_info(cfg_xml_file, cfg_src_c_file)
  144. config_info_list = [(x, *y) for x, y in config_info_dict.items()]
  145. config_info_list.sort(key = lambda x : (x[1], x[2]))
  146. self.LOG.debug(config_info_list)
  147. with open(output_file, r'w', encoding = 'utf-8') as f_w:
  148. f_w.write("\n\n#ifndef __%s_H__\n#define __%s_H__\n\n" %(head_macro, head_macro))
  149. prv_id = -1
  150. for config_name, config_id, item_offset, item_size in config_info_list:
  151. key_value = ((config_id & 0xFF) << 24) + ((item_offset & 0xFFF) << 12) + (item_size & 0xFFF)
  152. if prv_id != config_id:
  153. f_w.write("\n")
  154. prv_id = config_id
  155. f_w.write("#define CFG_%s %s(0x%08x) // id:%3d, off:%4d, size:%4d\n"
  156. %(config_name, ''.ljust(67 - len(config_name)), key_value, config_id, item_offset, item_size))
  157. f_w.write("\n\n#endif // __%s_H__\n\n" %(head_macro))
  158. def main(argv):
  159. parser = argparse.ArgumentParser(
  160. description='Export driver config key from config XML file.',
  161. )
  162. parser.add_argument('-i', dest = 'cfg_xml_file', required = True, help = 'input config xml files')
  163. parser.add_argument('-c', dest = 'cfg_src_file', required = True, help = 'input config c source files')
  164. parser.add_argument('-o', dest = 'output_file', default = 'drv_config_head.h', help = 'output driver config header file')
  165. args = parser.parse_args()
  166. cfg_xml_file = args.cfg_xml_file
  167. cfg_src_c_file = args.cfg_src_file
  168. output_file = args.output_file
  169. log = logger.Logger()
  170. # log = logger.Logger('1.txt', Flevel = logger.LOGLEVEL['DEBUG'])
  171. # log = logger.Logger(clevel = logger.LOGLEVEL['DEBUG'])
  172. if not os.path.isfile(cfg_xml_file):
  173. log.error("%s NOT exist" %cfg_xml_file)
  174. sys.exit(1)
  175. if not os.path.isfile(cfg_src_c_file):
  176. log.error("%s NOT exist" %cfg_src_c_file)
  177. sys.exit(1)
  178. cfg_xml = ConfigXML(log)
  179. cfg_xml.export_config_item_info(cfg_xml_file, cfg_src_c_file, output_file)
  180. if __name__ == "__main__":
  181. main(sys.argv[1:])