generate_datatypes.py 9.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270
  1. from __future__ import print_function
  2. import sys
  3. import time
  4. import platform
  5. import getpass
  6. from collections import OrderedDict
  7. import re
  8. from lxml import etree
  9. import argparse
  10. fixed_size = {"UA_Boolean": 1, "UA_SByte": 1, "UA_Byte": 1, "UA_Int16": 2, "UA_UInt16": 2,
  11. "UA_Int32": 4, "UA_UInt32": 4, "UA_Int64": 8, "UA_UInt64": 8, "UA_Float": 4,
  12. "UA_Double": 8, "UA_DateTime": 8, "UA_Guid": 16, "UA_StatusCode": 4}
  13. builtin_types = ["UA_Boolean", "UA_Byte", "UA_Int16", "UA_UInt16", "UA_Int32", "UA_UInt32",
  14. "UA_Int64", "UA_UInt64", "UA_Float", "UA_Double", "UA_String", "UA_DateTime",
  15. "UA_Guid", "UA_ByteString", "UA_XmlElement", "UA_NodeId", "UA_ExpandedNodeId",
  16. "UA_StatusCode", "UA_QualifiedName", "UA_LocalizedText", "UA_ExtensionObject",
  17. "UA_Variant", "UA_DataValue", "UA_DiagnosticInfo"]
  18. excluded_types = ["UA_InstanceNode", "UA_TypeNode", "UA_ServerDiagnosticsSummaryDataType",
  19. "UA_SamplingIntervalDiagnosticsDataType", "UA_SessionSecurityDiagnosticsDataType",
  20. "UA_SubscriptionDiagnosticsDataType", "UA_SessionDiagnosticsDataType"]
  21. class Type(object):
  22. def __init__(self, name, description = ""):
  23. self.name = name
  24. self.description = description
  25. def typedef_c(self):
  26. pass
  27. def typelayout_c(self):
  28. pass
  29. class EnumerationType(Type):
  30. def __init__(self, name, description = "", elements = OrderedDict()):
  31. self.name = name
  32. self.description = description
  33. self.elements = elements # maps a name to an integer value
  34. def append_enum(name, value):
  35. self.elements[name] = value
  36. def typedef_c(self):
  37. return "typedef enum { \n " + \
  38. ",\n ".join(map(lambda (key,value) : key.upper() + " = " + value,self.elements.iteritems())) + \
  39. "\n} " + self.name + ";"
  40. def typelayout_c(self, tablename):
  41. return "(UA_DataTypeLayout) {.memsize = sizeof(" + self.name "), .binarySize = 4," + \
  42. ".constantSize = UA_TRUE, .binaryZeroCopy = UA_TRUE, isBuiltin = UA_FALSE," + \
  43. ".memberDetails = " + \
  44. ".membersSize = 0, .table = " + tablename + " }"
  45. class OpaqueType(Type):
  46. def typedef_c(self):
  47. return "typedef UA_ByteString " + self.name + ";"
  48. def typelayout_c(self, tablename):
  49. return "(UA_DataTypeLayout) {.memsize = sizeof(" + self.name "), .binarySize = 4," + \
  50. ".constantSize = UA_TRUE, .binaryZeroCopy = UA_TRUE, isBuiltin = UA_FALSE," + \
  51. ".membersSize = 0, .table = " + tablename + " }"
  52. class StructMember(object):
  53. def __init__(self, name, memberType, isArray):
  54. self.name = name
  55. self.memberType = memberType
  56. self.isArray = isArray
  57. class StructType(Type):
  58. def __init__(self, name, description, members = OrderedDict()):
  59. self.name = name
  60. self.description = description
  61. self.members = members # maps a name to a member definition
  62. def fixed_size(self):
  63. if self.name in fixed_size:
  64. return True
  65. for m in self.members:
  66. if m.isArray or not m.memberType.fixed_size():
  67. return False
  68. return True
  69. def typedef_c(self):
  70. if len(self.members) == 0:
  71. return "typedef void * " + self.name + ";"
  72. returnstr = "typedef struct {\n"
  73. for name, member in self.members.iteritems():
  74. if member.isArray:
  75. returnstr += " UA_Int32 noOf" + name[0].upper() + name[1:] + ";\n"
  76. returnstr += " " + member.memberType + " *" +name + ";\n"
  77. else:
  78. returnstr += " " + member.memberType + " " +name + ";\n"
  79. return returnstr + "} " + self.name + ";"
  80. def parseTypeDefinitions(xmlDescription, type_selection = None):
  81. '''Returns an ordered dict that maps names to types. The order is such that
  82. every type depends only on known types. '''
  83. ns = {"opc": "http://opcfoundation.org/BinarySchema/"}
  84. tree = etree.parse(xmlDescription)
  85. typeSnippets = tree.xpath("/opc:TypeDictionary/*[not(self::opc:Import)]", namespaces=ns)
  86. types = OrderedDict()
  87. # types we do not want to autogenerate
  88. def skipType(name):
  89. if name in builtin_types:
  90. return True
  91. if name in excluded_types:
  92. return True
  93. if "Test" in name: # skip all test types
  94. return True
  95. if re.search("NodeId$", name) != None:
  96. return True
  97. if type_selection and not(name in type_selection):
  98. return True
  99. return False
  100. def stripTypename(tn):
  101. return tn[tn.find(":")+1:]
  102. def camlCase2CCase(item):
  103. "Member names begin with a lower case character"
  104. return item[:1].lower() + item[1:] if item else ''
  105. def typeReady(element):
  106. "Do we have the member types yet?"
  107. for child in element:
  108. if child.tag == "{http://opcfoundation.org/BinarySchema/}Field":
  109. if stripTypename(child.get("TypeName")) not in types:
  110. return False
  111. return True
  112. def parseEnumeration(typeXml):
  113. name = "UA_" + typeXml.get("Name")
  114. description = ""
  115. elements = OrderedDict()
  116. for child in typeXml:
  117. if child.tag == "{http://opcfoundation.org/BinarySchema/}Documentation":
  118. description = child.text
  119. if child.tag == "{http://opcfoundation.org/BinarySchema/}EnumeratedValue":
  120. elements[name + "_" + child.get("Name")] = child.get("Value")
  121. return EnumerationType(name, description, elements)
  122. def parseOpaque(typeXml):
  123. name = "UA_" + typeXml.get("Name")
  124. description = ""
  125. for child in typeXml:
  126. if child.tag == "{http://opcfoundation.org/BinarySchema/}Documentation":
  127. description = child.text
  128. return OpaqueType(name, description)
  129. def parseStructured(typeXml):
  130. "Returns None if we miss member descriptions"
  131. name = "UA_" + typeXml.get("Name")
  132. description = ""
  133. for child in typeXml:
  134. if child.tag == "{http://opcfoundation.org/BinarySchema/}Documentation":
  135. description = child.text
  136. # ignore lengthfields, just tag the array-members as an array
  137. lengthfields = []
  138. for child in typeXml:
  139. if child.get("LengthField"):
  140. lengthfields.append(child.get("LengthField"))
  141. members = OrderedDict()
  142. for child in typeXml:
  143. if not child.tag == "{http://opcfoundation.org/BinarySchema/}Field":
  144. continue
  145. if child.get("Name") in lengthfields:
  146. continue
  147. memberType = "UA_" + stripTypename(child.get("TypeName"))
  148. if not memberType in types and not memberType in builtin_types:
  149. return None
  150. memberName = camlCase2CCase(child.get("Name"))
  151. isArray = True if child.get("LengthField") else False
  152. members[memberName] = StructMember(memberName, memberType, isArray)
  153. return StructType(name, description, members)
  154. finished = False
  155. while(not finished):
  156. finished = True
  157. for typeXml in typeSnippets:
  158. name = "UA_" + typeXml.get("Name")
  159. if name in types or skipType(name):
  160. continue
  161. if typeXml.tag == "{http://opcfoundation.org/BinarySchema/}EnumeratedType":
  162. t = parseEnumeration(typeXml)
  163. types[t.name] = t
  164. elif typeXml.tag == "{http://opcfoundation.org/BinarySchema/}OpaqueType":
  165. t = parseOpaque(typeXml)
  166. types[t.name] = t
  167. elif typeXml.tag == "{http://opcfoundation.org/BinarySchema/}StructuredType":
  168. t = parseStructured(typeXml)
  169. if t == None:
  170. finished = False
  171. else:
  172. types[t.name] = t
  173. return types
  174. def main():
  175. parser = argparse.ArgumentParser()
  176. parser.add_argument('--only-needed', action='store_true', help='generate only types needed for compile')
  177. parser.add_argument('xml', help='path/to/Opc.Ua.Types.bsd')
  178. parser.add_argument('outfile', help='outfile w/o extension')
  179. args = parser.parse_args()
  180. outname = args.outfile.split("/")[-1]
  181. inname = args.xml.split("/")[-1]
  182. fh = open(args.outfile + "_generated.h",'w')
  183. def printh(string):
  184. print(string, end='\n', file=fh)
  185. # # whitelist for "only needed" profile
  186. # from type_lists import only_needed_types
  187. # # some types are omitted (pretend they exist already)
  188. # existing_types.add("NodeIdType")
  189. types = parseTypeDefinitions(args.xml)
  190. printh('''/**
  191. * @file ''' + outname + '''_generated.h
  192. *
  193. * @brief Autogenerated data types
  194. *
  195. * Generated from ''' + inname + ''' with script ''' + sys.argv[0] + '''
  196. * on host ''' + platform.uname()[1] + ''' by user ''' + getpass.getuser() + ''' at ''' + time.strftime("%Y-%m-%d %I:%M:%S") + '''
  197. */
  198. #ifndef ''' + outname.upper() + '''_GENERATED_H_
  199. #define ''' + outname.upper() + '''_GENERATED_H_
  200. #ifdef __cplusplus
  201. extern "C" {
  202. #endif
  203. #include "ua_types.h"
  204. /**
  205. * @ingroup types
  206. *
  207. * @defgroup ''' + outname + '''_generated Autogenerated ''' + outname + ''' Types
  208. *
  209. * @brief Data structures that are autogenerated from an XML-Schema.
  210. * @{
  211. */''')
  212. for t in types.itervalues():
  213. printh("")
  214. if t.description != "":
  215. printh("/** @brief " + t.description + "*/")
  216. printh(t.typedef_c())
  217. printh('''
  218. /// @} /* end of group */
  219. #ifdef __cplusplus
  220. } // extern "C"
  221. #endif
  222. #endif''')
  223. fh.close()
  224. if __name__ == "__main__":
  225. main()