generate_builtin.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378
  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 inspect
  10. import argparse
  11. parser = argparse.ArgumentParser()
  12. parser.add_argument('--with-xml', action='store_true', help='generate xml encoding')
  13. parser.add_argument('--with-json', action='store_true', help='generate json encoding')
  14. parser.add_argument('--only-nano', action='store_true', help='generate only the types for the nano profile')
  15. parser.add_argument('--only-needed', action='store_true', help='generate only types needed for compile')
  16. parser.add_argument('--additional-includes', action='store', help='include additional header files (separated by comma)')
  17. parser.add_argument('types', help='path/to/Opc.Ua.Types.bsd')
  18. parser.add_argument('outfile', help='outfile w/o extension')
  19. args = parser.parse_args()
  20. ns = {"opc": "http://opcfoundation.org/BinarySchema/"}
  21. tree = etree.parse(args.types)
  22. types = tree.xpath("/opc:TypeDictionary/*[not(self::opc:Import)]", namespaces=ns)
  23. fh = open(args.outfile + ".h",'w')
  24. fc = open(args.outfile + ".c",'w')
  25. # dirty hack. we go up the call frames to access local variables of the calling
  26. # function. this allows to shorten code and get %()s replaces with less clutter.
  27. def printh(string):
  28. print(string % inspect.currentframe().f_back.f_locals, end='\n', file=fh)
  29. def printc(string):
  30. print(string % inspect.currentframe().f_back.f_locals, end='\n', file=fc)
  31. # types that are coded manually
  32. from type_lists import existing_types
  33. # whitelist for "only needed" profile
  34. from type_lists import only_needed_types
  35. # some types are omitted (pretend they exist already)
  36. existing_types.add("NodeIdType")
  37. fixed_size = set(["UA_Boolean", "UA_SByte", "UA_Byte", "UA_Int16", "UA_UInt16",
  38. "UA_Int32", "UA_UInt32", "UA_Int64", "UA_UInt64", "UA_Float",
  39. "UA_Double", "UA_DateTime", "UA_Guid", "UA_StatusCode"])
  40. # types we do not want to autogenerate
  41. def skipType(name):
  42. if name in existing_types:
  43. return True
  44. if "Test" in name: #skip all Test types
  45. return True
  46. if re.search("NodeId$", name) != None:
  47. return True
  48. if args.only_needed and not(name in only_needed_types):
  49. return True
  50. return False
  51. def stripTypename(tn):
  52. return tn[tn.find(":")+1:]
  53. def camlCase2CCase(item):
  54. if item in ["Float","Double"]:
  55. return "my" + item
  56. return item[:1].lower() + item[1:] if item else ''
  57. # are the types we need already in place? if not, postpone.
  58. def printableStructuredType(element):
  59. for child in element:
  60. if child.tag == "{http://opcfoundation.org/BinarySchema/}Field":
  61. typename = stripTypename(child.get("TypeName"))
  62. if typename not in existing_types:
  63. return False
  64. return True
  65. def createEnumerated(element):
  66. valuemap = OrderedDict()
  67. name = "UA_" + element.get("Name")
  68. fixed_size.add(name)
  69. printh("") # newline
  70. for child in element:
  71. if child.tag == "{http://opcfoundation.org/BinarySchema/}Documentation":
  72. printh("/** @brief " + child.text + " */")
  73. if child.tag == "{http://opcfoundation.org/BinarySchema/}EnumeratedValue":
  74. valuemap[name + "_" + child.get("Name")] = child.get("Value")
  75. valuemap = OrderedDict(sorted(valuemap.iteritems(), key=lambda (k,v): int(v)))
  76. # printh("typedef UA_Int32 " + name + ";")
  77. printh("typedef enum " + name + " { \n\t" +
  78. ",\n\t".join(map(lambda (key, value) : key.upper() + " = " + value, valuemap.iteritems())) +
  79. "\n} " + name + ";")
  80. printh("UA_TYPE_PROTOTYPES (" + name + ")")
  81. printh("UA_TYPE_BINARY_ENCODING(" + name + ")")
  82. printc("UA_TYPE_AS(" + name + ", UA_Int32)")
  83. printc("UA_TYPE_BINARY_ENCODING_AS(" + name + ", UA_Int32)")
  84. if args.with_xml:
  85. printh("UA_TYPE_XML_ENCODING(" + name + ")\n")
  86. printc('''UA_TYPE_METHOD_CALCSIZEXML_NOTIMPL(%(name)s)
  87. UA_TYPE_METHOD_ENCODEXML_NOTIMPL(%(name)s)
  88. UA_TYPE_METHOD_DECODEXML_NOTIMPL(%(name)s\n)''')
  89. def createOpaque(element):
  90. name = "UA_" + element.get("Name")
  91. printh("") # newline
  92. for child in element:
  93. if child.tag == "{http://opcfoundation.org/BinarySchema/}Documentation":
  94. printh("/** @brief " + child.text + " */")
  95. printh("typedef UA_ByteString %(name)s;")
  96. printh("UA_TYPE_PROTOTYPES(%(name)s)")
  97. printh("UA_TYPE_BINARY_ENCODING(%(name)s)")
  98. printc("UA_TYPE_AS(%(name)s, UA_ByteString)")
  99. printc("UA_TYPE_BINARY_ENCODING_AS(%(name)s, UA_ByteString)")
  100. if args.with_xml:
  101. printh("UA_TYPE_XML_ENCODING(" + name + ")\n")
  102. printc('''UA_TYPE_METHOD_CALCSIZEXML_NOTIMPL(%(name)s)
  103. UA_TYPE_METHOD_ENCODEXML_NOTIMPL(%(name)s)
  104. UA_TYPE_METHOD_DECODEXML_NOTIMPL(%(name)s)\n''')
  105. def createStructured(element):
  106. name = "UA_" + element.get("Name")
  107. # 1) Are there arrays in the type?
  108. lengthfields = set()
  109. for child in element:
  110. if child.get("LengthField"):
  111. lengthfields.add(child.get("LengthField"))
  112. # 2) Store members in membermap (name->type).
  113. membermap = OrderedDict()
  114. printh("") # newline
  115. for child in element:
  116. if child.tag == "{http://opcfoundation.org/BinarySchema/}Documentation":
  117. printh("/** @brief " + child.text + " */")
  118. elif child.tag == "{http://opcfoundation.org/BinarySchema/}Field":
  119. if child.get("Name") in lengthfields:
  120. continue
  121. childname = camlCase2CCase(child.get("Name"))
  122. typename = stripTypename(child.get("TypeName"))
  123. if child.get("LengthField"):
  124. membermap[childname] = "UA_" + typename + "*"
  125. else:
  126. membermap[childname] = "UA_" + typename
  127. # 3) Print structure
  128. if len(membermap) > 0:
  129. printh("typedef struct %(name)s {")
  130. for n,t in membermap.iteritems():
  131. if t.find("*") != -1:
  132. printh("\t" + "UA_Int32 " + n + "Size;")
  133. printh("\t%(t)s %(n)s;")
  134. printh("} %(name)s;")
  135. else:
  136. printh("typedef void* %(name)s;")
  137. # 3) function prototypes
  138. printh("UA_TYPE_PROTOTYPES(" + name + ")")
  139. printh("UA_TYPE_BINARY_ENCODING(" + name + ")")
  140. if args.with_xml:
  141. printh("UA_TYPE_XML_ENCODING(" + name + ")\n")
  142. # 4) CalcSizeBinary
  143. printc('''UA_UInt32 %(name)s_calcSizeBinary(%(name)s const * ptr) {
  144. return 0''')
  145. has_fixed_size = True
  146. for n,t in membermap.iteritems():
  147. if t in fixed_size:
  148. printc('\t + sizeof(%(t)s) // %(n)s')
  149. elif t.find("*") != -1:
  150. printc('\t + UA_Array_calcSizeBinary(ptr->%(n)sSize,&UA_['+ t[0:t.find("*")].upper() +
  151. "],ptr->%(n)s)")
  152. has_fixed_size = False
  153. else:
  154. printc('\t + %(t)s_calcSizeBinary(&ptr->%(n)s)')
  155. has_fixed_size = False
  156. printc("\t;\n}\n")
  157. if has_fixed_size:
  158. fixed_size.add(name)
  159. # 5) EncodeBinary
  160. printc('''UA_StatusCode %(name)s_encodeBinary(%(name)s const * src, UA_ByteString* dst, UA_UInt32 *offset) {
  161. UA_StatusCode retval = UA_STATUSCODE_GOOD;''')
  162. for n,t in membermap.iteritems():
  163. if t.find("*") != -1:
  164. printc("\tretval |= UA_Array_encodeBinary(src->%(n)s,src->%(n)sSize,&UA_[" + t[0:t.find("*")].upper() + "],dst,offset);")
  165. else:
  166. printc('\tretval |= %(t)s_encodeBinary(&src->%(n)s,dst,offset);')
  167. printc("\treturn retval;\n}\n")
  168. # 6) DecodeBinary
  169. printc('''UA_StatusCode %(name)s_decodeBinary(UA_ByteString const * src, UA_UInt32 *offset, %(name)s * dst) {
  170. UA_StatusCode retval = UA_STATUSCODE_GOOD;
  171. %(name)s_init(dst);''')
  172. printc('\t'+name+'_init(dst);')
  173. for n,t in membermap.iteritems():
  174. if t.find("*") != -1:
  175. printc('\tretval |= UA_Int32_decodeBinary(src,offset,&dst->%(n)sSize);')
  176. printc('\tif(!retval) { retval |= UA_Array_decodeBinary(src,offset,dst->%(n)sSize,&UA_[' + t[0:t.find("*")].upper() + '],(void**)&dst->%(n)s); }')
  177. printc('\tif(retval) { dst->%(n)sSize = -1; }') # arrays clean up internally. But the size needs to be set here for the eventual deleteMembers.
  178. else:
  179. printc('\tretval |= %(t)s_decodeBinary(src,offset,&dst->%(n)s);')
  180. printc("\tif(retval) %(name)s_deleteMembers(dst);")
  181. printc("\treturn retval;\n}\n")
  182. # 7) Xml
  183. if args.with_xml:
  184. printc('''UA_TYPE_METHOD_CALCSIZEXML_NOTIMPL(%(name)s)
  185. UA_TYPE_METHOD_ENCODEXML_NOTIMPL(%(name)s)
  186. UA_TYPE_METHOD_DECODEXML_NOTIMPL(%(name)s)''')
  187. # 8) Delete
  188. printc('''void %(name)s_delete(%(name)s *p) {
  189. %(name)s_deleteMembers(p);
  190. UA_free(p);\n}\n''')
  191. # 9) DeleteMembers
  192. printc('''void %(name)s_deleteMembers(%(name)s *p) {''')
  193. for n,t in membermap.iteritems():
  194. if not t in fixed_size: # dynamic size on the wire
  195. if t.find("*") != -1:
  196. printc("\tUA_Array_delete((void*)p->%(n)s,p->%(n)sSize,&UA_["+t[0:t.find("*")].upper()+"]);")
  197. else:
  198. printc('\t%(t)s_deleteMembers(&p->%(n)s);')
  199. printc("}\n")
  200. # 10) Init
  201. printc('''void %(name)s_init(%(name)s *p) {
  202. if(!p) return;''')
  203. for n,t in membermap.iteritems():
  204. if t.find("*") != -1:
  205. printc('\tp->%(n)sSize = -1;')
  206. printc('\tp->%(n)s = UA_NULL;')
  207. else:
  208. printc('\t%(t)s_init(&p->%(n)s);')
  209. printc("}\n")
  210. # 11) New
  211. printc("UA_TYPE_NEW_DEFAULT(%(name)s)")
  212. # 12) Copy
  213. printc('''UA_StatusCode %(name)s_copy(const %(name)s *src,%(name)s *dst) {
  214. UA_StatusCode retval = UA_STATUSCODE_GOOD;''')
  215. printc("\t%(name)s_init(dst);")
  216. for n,t in membermap.iteritems():
  217. if t.find("*") != -1:
  218. printc('\tdst->%(n)sSize = src->%(n)sSize;')
  219. printc("\tretval |= UA_Array_copy(src->%(n)s, src->%(n)sSize,&UA_[" + t[0:t.find("*")].upper() + "],(void**)&dst->%(n)s);")
  220. continue
  221. if not t in fixed_size: # there are members of variable size
  222. printc('\tretval |= %(t)s_copy(&src->%(n)s,&dst->%(n)s);')
  223. continue
  224. printc("\tdst->%(n)s = src->%(n)s;")
  225. printc('''\tif(retval)
  226. \t%(name)s_deleteMembers(dst);''')
  227. printc("\treturn retval;\n}\n")
  228. # 13) Print
  229. printc('''#ifdef DEBUG''')
  230. printc('''void %(name)s_print(const %(name)s *p, FILE *stream) {
  231. fprintf(stream, "(%(name)s){");''')
  232. for i,(n,t) in enumerate(membermap.iteritems()):
  233. if t.find("*") != -1:
  234. printc('\tUA_Int32_print(&p->%(n)sSize, stream);')
  235. printc("\tUA_Array_print(p->%(n)s, p->%(n)sSize, &UA_[" + t[0:t.find("*")].upper()+"], stream);")
  236. else:
  237. printc('\t%(t)s_print(&p->%(n)s,stream);')
  238. if i == len(membermap)-1:
  239. continue
  240. printc('\tfprintf(stream, ",");')
  241. printc('''\tfprintf(stream, "}");\n}''')
  242. printc('#endif');
  243. printc('''\n''')
  244. shortname = args.outfile.split("/")[-1]
  245. print(shortname)
  246. printh('''/**
  247. * @file %(shortname)s.h
  248. *
  249. * @brief Autogenerated data types defined in the UA standard
  250. *
  251. * Generated from '''+sys.argv[1]+''' with script '''+sys.argv[0]+'''
  252. * on host '''+platform.uname()[1]+''' by user '''+getpass.getuser()+''' at '''+ time.strftime("%Y-%m-%d %I:%M:%S")+'''
  253. */
  254. #ifndef ''' + shortname.upper() + '''_H_
  255. #define ''' + shortname.upper() + '''_H_
  256. #include "ua_types.h"
  257. #include "ua_types_encoding_binary.h"
  258. /** @ingroup ''' + shortname.split("_")[1] + '''
  259. *
  260. * @defgroup ''' + shortname + ''' Generated Types
  261. *
  262. * @brief Data structures that are autogenerated from an XML-Schema.
  263. * @{
  264. */''')
  265. if args.with_xml:
  266. printh('#include "ua_types_encoding_xml.h"')
  267. if args.additional_includes:
  268. for incl in args.additional_includes.split(","):
  269. printh("#include \"" + incl + "\"")
  270. printc('''/**
  271. * @file '''+sys.argv[2]+'''.c
  272. *
  273. * @brief Autogenerated function implementations to manage the data types defined in the UA standard
  274. *
  275. * Generated from '''+sys.argv[1]+''' with script '''+sys.argv[0]+'''
  276. * on host '''+platform.uname()[1]+''' by user '''+getpass.getuser()+''' at '''+ time.strftime("%Y-%m-%d %I:%M:%S")+'''
  277. */
  278. #include "''' + args.outfile.split("/")[-1] + '''.h"
  279. #include "ua_namespace_0.h"
  280. #include "ua_util.h"\n''')
  281. # types for which we create a vector type
  282. arraytypes = set()
  283. fields = tree.xpath("//opc:Field", namespaces=ns)
  284. for field in fields:
  285. if field.get("LengthField"):
  286. arraytypes.add(stripTypename(field.get("TypeName")))
  287. deferred_types = OrderedDict()
  288. #plugin handling
  289. import os
  290. files = [f for f in os.listdir('.') if os.path.isfile(f) and f[-3:] == ".py" and f[:7] == "plugin_"]
  291. plugin_types = []
  292. packageForType = OrderedDict()
  293. for f in files:
  294. package = f[:-3]
  295. exec "import " + package
  296. exec "pluginSetup = " + package + ".setup()"
  297. if pluginSetup["pluginType"] == "structuredObject":
  298. plugin_types.append(pluginSetup["tagName"])
  299. packageForType[pluginSetup["tagName"]] = [package,pluginSetup]
  300. print("Custom object creation for tag " + pluginSetup["tagName"] + " imported from package " + package)
  301. #end plugin handling
  302. for element in types:
  303. name = element.get("Name")
  304. if skipType(name):
  305. continue
  306. if element.tag == "{http://opcfoundation.org/BinarySchema/}EnumeratedType":
  307. createEnumerated(element)
  308. existing_types.add(name)
  309. elif element.tag == "{http://opcfoundation.org/BinarySchema/}StructuredType":
  310. if printableStructuredType(element):
  311. createStructured(element)
  312. existing_types.add(name)
  313. else: # the record contains types that were not yet detailed
  314. deferred_types[name] = element
  315. continue
  316. elif element.tag == "{http://opcfoundation.org/BinarySchema/}OpaqueType":
  317. createOpaque(element)
  318. existing_types.add(name)
  319. for name, element in deferred_types.iteritems():
  320. if name in plugin_types:
  321. #execute plugin if registered
  322. exec "ret = " + packageForType[name][0]+"."+packageForType[name][1]["functionCall"]
  323. if ret == "default":
  324. createStructured(element)
  325. existing_types.add(name)
  326. else:
  327. createStructured(element)
  328. existing_types.add(name)
  329. printh('/// @} /* end of group */')
  330. printh('#endif')
  331. fh.close()
  332. fc.close()