girparser.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619
  1. # -*- Mode: Python -*-
  2. # GObject-Introspection - a framework for introspecting GObject libraries
  3. # Copyright (C) 2008 Johan Dahlin
  4. #
  5. # This library is free software; you can redistribute it and/or
  6. # modify it under the terms of the GNU Lesser General Public
  7. # License as published by the Free Software Foundation; either
  8. # version 2 of the License, or (at your option) any later version.
  9. #
  10. # This library is distributed in the hope that it will be useful,
  11. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  12. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
  13. # Lesser General Public License for more details.
  14. #
  15. # You should have received a copy of the GNU Lesser General Public
  16. # License along with this library; if not, write to the
  17. # Free Software Foundation, Inc., 59 Temple Place - Suite 330,
  18. # Boston, MA 02111-1307, USA.
  19. #
  20. from __future__ import absolute_import
  21. from __future__ import division
  22. from __future__ import print_function
  23. from __future__ import unicode_literals
  24. import os
  25. from xml.etree.cElementTree import parse
  26. from . import ast
  27. from .girwriter import COMPATIBLE_GIR_VERSION
  28. from .collections import OrderedDict
  29. CORE_NS = "http://www.gtk.org/introspection/core/1.0"
  30. C_NS = "http://www.gtk.org/introspection/c/1.0"
  31. GLIB_NS = "http://www.gtk.org/introspection/glib/1.0"
  32. def _corens(tag):
  33. return '{%s}%s' % (CORE_NS, tag)
  34. def _glibns(tag):
  35. return '{%s}%s' % (GLIB_NS, tag)
  36. def _cns(tag):
  37. return '{%s}%s' % (C_NS, tag)
  38. class GIRParser(object):
  39. def __init__(self, types_only=False):
  40. self._types_only = types_only
  41. self._namespace = None
  42. self._filename_stack = []
  43. # Public API
  44. def parse(self, filename):
  45. filename = os.path.abspath(filename)
  46. self._filename_stack.append(filename)
  47. tree = parse(filename)
  48. self.parse_tree(tree)
  49. self._filename_stack.pop()
  50. def parse_tree(self, tree):
  51. self._namespace = None
  52. self._pkgconfig_packages = set()
  53. self._includes = set()
  54. self._c_includes = set()
  55. self._c_prefix = None
  56. self._parse_api(tree.getroot())
  57. def get_namespace(self):
  58. return self._namespace
  59. # Private
  60. def _find_first_child(self, node, name_or_names):
  61. if isinstance(name_or_names, str):
  62. for child in node.getchildren():
  63. if child.tag == name_or_names:
  64. return child
  65. else:
  66. for child in node.getchildren():
  67. if child.tag in name_or_names:
  68. return child
  69. return None
  70. def _find_children(self, node, name):
  71. return [child for child in node.getchildren() if child.tag == name]
  72. def _get_current_file(self):
  73. if not self._filename_stack:
  74. return None
  75. cwd = os.getcwd() + os.sep
  76. curfile = self._filename_stack[-1]
  77. if curfile.startswith(cwd):
  78. return curfile[len(cwd):]
  79. return curfile
  80. def _parse_api(self, root):
  81. assert root.tag == _corens('repository')
  82. version = root.attrib['version']
  83. if version != COMPATIBLE_GIR_VERSION:
  84. raise SystemExit("%s: Incompatible version %s (supported: %s)" %
  85. (self._get_current_file(), version, COMPATIBLE_GIR_VERSION))
  86. for node in root.getchildren():
  87. if node.tag == _corens('include'):
  88. self._parse_include(node)
  89. elif node.tag == _corens('package'):
  90. self._parse_pkgconfig_package(node)
  91. elif node.tag == _cns('include'):
  92. self._parse_c_include(node)
  93. ns = root.find(_corens('namespace'))
  94. assert ns is not None
  95. identifier_prefixes = ns.attrib.get(_cns('identifier-prefixes'))
  96. if identifier_prefixes:
  97. identifier_prefixes = identifier_prefixes.split(',')
  98. symbol_prefixes = ns.attrib.get(_cns('symbol-prefixes'))
  99. if symbol_prefixes:
  100. symbol_prefixes = symbol_prefixes.split(',')
  101. self._namespace = ast.Namespace(ns.attrib['name'],
  102. ns.attrib['version'],
  103. identifier_prefixes=identifier_prefixes,
  104. symbol_prefixes=symbol_prefixes)
  105. if 'shared-library' in ns.attrib:
  106. self._namespace.shared_libraries = ns.attrib['shared-library'].split(',')
  107. self._namespace.includes = self._includes
  108. self._namespace.c_includes = self._c_includes
  109. self._namespace.exported_packages = self._pkgconfig_packages
  110. parser_methods = {
  111. _corens('alias'): self._parse_alias,
  112. _corens('bitfield'): self._parse_enumeration_bitfield,
  113. _corens('callback'): self._parse_callback,
  114. _corens('class'): self._parse_object_interface,
  115. _corens('enumeration'): self._parse_enumeration_bitfield,
  116. _corens('interface'): self._parse_object_interface,
  117. _corens('record'): self._parse_record,
  118. _corens('union'): self._parse_union,
  119. _glibns('boxed'): self._parse_boxed}
  120. if not self._types_only:
  121. parser_methods[_corens('constant')] = self._parse_constant
  122. parser_methods[_corens('function')] = self._parse_function
  123. for node in ns.getchildren():
  124. method = parser_methods.get(node.tag)
  125. if method is not None:
  126. method(node)
  127. def _parse_include(self, node):
  128. include = ast.Include(node.attrib['name'], node.attrib['version'])
  129. self._includes.add(include)
  130. def _parse_pkgconfig_package(self, node):
  131. self._pkgconfig_packages.add(node.attrib['name'])
  132. def _parse_c_include(self, node):
  133. self._c_includes.add(node.attrib['name'])
  134. def _parse_alias(self, node):
  135. typeval = self._parse_type(node)
  136. alias = ast.Alias(node.attrib['name'], typeval, node.attrib.get(_cns('type')))
  137. self._parse_generic_attribs(node, alias)
  138. self._namespace.append(alias)
  139. def _parse_generic_attribs(self, node, obj):
  140. assert isinstance(obj, ast.Annotated)
  141. skip = node.attrib.get('skip')
  142. if skip:
  143. try:
  144. obj.skip = int(skip) > 0
  145. except ValueError:
  146. obj.skip = False
  147. introspectable = node.attrib.get('introspectable')
  148. if introspectable:
  149. try:
  150. obj.introspectable = int(introspectable) > 0
  151. except ValueError:
  152. obj.introspectable = False
  153. if self._types_only:
  154. return
  155. doc = node.find(_corens('doc'))
  156. if doc is not None:
  157. if doc.text:
  158. obj.doc = doc.text
  159. version = node.attrib.get('version')
  160. if version:
  161. obj.version = version
  162. version_doc = node.find(_corens('doc-version'))
  163. if version_doc is not None:
  164. if version_doc.text:
  165. obj.version_doc = version_doc.text
  166. deprecated = node.attrib.get('deprecated-version')
  167. if deprecated:
  168. obj.deprecated = deprecated
  169. deprecated_doc = node.find(_corens('doc-deprecated'))
  170. if deprecated_doc is not None:
  171. if deprecated_doc.text:
  172. obj.deprecated_doc = deprecated_doc.text
  173. stability = node.attrib.get('stability')
  174. if stability:
  175. obj.stability = stability
  176. stability_doc = node.find(_corens('doc-stability'))
  177. if stability_doc is not None:
  178. if stability_doc.text:
  179. obj.stability_doc = stability_doc.text
  180. attributes = node.findall(_corens('attribute'))
  181. if attributes:
  182. attributes_ = OrderedDict()
  183. for attribute in attributes:
  184. name = attribute.attrib.get('name')
  185. value = attribute.attrib.get('value')
  186. attributes_[name] = value
  187. obj.attributes = attributes_
  188. def _parse_object_interface(self, node):
  189. parent = node.attrib.get('parent')
  190. if parent:
  191. parent_type = self._namespace.type_from_name(parent)
  192. else:
  193. parent_type = None
  194. ctor_kwargs = {'name': node.attrib['name'],
  195. 'parent_type': parent_type,
  196. 'gtype_name': node.attrib[_glibns('type-name')],
  197. 'get_type': node.attrib[_glibns('get-type')],
  198. 'c_symbol_prefix': node.attrib.get(_cns('symbol-prefix')),
  199. 'ctype': node.attrib.get(_cns('type'))}
  200. if node.tag == _corens('interface'):
  201. klass = ast.Interface
  202. elif node.tag == _corens('class'):
  203. klass = ast.Class
  204. is_abstract = node.attrib.get('abstract')
  205. is_abstract = is_abstract and is_abstract != '0'
  206. ctor_kwargs['is_abstract'] = is_abstract
  207. else:
  208. raise AssertionError(node)
  209. obj = klass(**ctor_kwargs)
  210. self._parse_generic_attribs(node, obj)
  211. type_struct = node.attrib.get(_glibns('type-struct'))
  212. if type_struct:
  213. obj.glib_type_struct = self._namespace.type_from_name(type_struct)
  214. if klass == ast.Class:
  215. is_fundamental = node.attrib.get(_glibns('fundamental'))
  216. if is_fundamental and is_fundamental != '0':
  217. obj.fundamental = True
  218. for func_id in ['ref-func', 'unref-func',
  219. 'set-value-func', 'get-value-func']:
  220. func_name = node.attrib.get(_glibns(func_id))
  221. obj.__dict__[func_id.replace('-', '_')] = func_name
  222. if self._types_only:
  223. self._namespace.append(obj)
  224. return
  225. for iface in self._find_children(node, _corens('implements')):
  226. obj.interfaces.append(self._namespace.type_from_name(iface.attrib['name']))
  227. for iface in self._find_children(node, _corens('prerequisite')):
  228. obj.prerequisites.append(self._namespace.type_from_name(iface.attrib['name']))
  229. for func_node in self._find_children(node, _corens('function')):
  230. func = self._parse_function_common(func_node, ast.Function, obj)
  231. obj.static_methods.append(func)
  232. for method in self._find_children(node, _corens('method')):
  233. func = self._parse_function_common(method, ast.Function, obj)
  234. func.is_method = True
  235. obj.methods.append(func)
  236. for method in self._find_children(node, _corens('virtual-method')):
  237. func = self._parse_function_common(method, ast.VFunction, obj)
  238. self._parse_generic_attribs(method, func)
  239. func.is_method = True
  240. func.invoker = method.get('invoker')
  241. obj.virtual_methods.append(func)
  242. for ctor in self._find_children(node, _corens('constructor')):
  243. func = self._parse_function_common(ctor, ast.Function, obj)
  244. func.is_constructor = True
  245. obj.constructors.append(func)
  246. obj.fields.extend(self._parse_fields(node, obj))
  247. for prop in self._find_children(node, _corens('property')):
  248. obj.properties.append(self._parse_property(prop, obj))
  249. for signal in self._find_children(node, _glibns('signal')):
  250. obj.signals.append(self._parse_function_common(signal, ast.Signal, obj))
  251. self._namespace.append(obj)
  252. def _parse_callback(self, node):
  253. callback = self._parse_function_common(node, ast.Callback)
  254. self._namespace.append(callback)
  255. def _parse_function(self, node):
  256. function = self._parse_function_common(node, ast.Function)
  257. self._namespace.append(function)
  258. def _parse_parameter(self, node):
  259. typeval = self._parse_type(node)
  260. param = ast.Parameter(node.attrib.get('name'),
  261. typeval,
  262. node.attrib.get('direction') or ast.PARAM_DIRECTION_IN,
  263. node.attrib.get('transfer-ownership'),
  264. node.attrib.get('nullable') == '1',
  265. node.attrib.get('optional') == '1',
  266. node.attrib.get('allow-none') == '1',
  267. node.attrib.get('scope'),
  268. node.attrib.get('caller-allocates') == '1')
  269. self._parse_generic_attribs(node, param)
  270. return param
  271. def _parse_function_common(self, node, klass, parent=None):
  272. name = node.attrib['name']
  273. returnnode = node.find(_corens('return-value'))
  274. if not returnnode:
  275. raise ValueError('node %r has no return-value' % (name, ))
  276. transfer = returnnode.attrib.get('transfer-ownership')
  277. nullable = returnnode.attrib.get('nullable') == '1'
  278. retval = ast.Return(self._parse_type(returnnode), nullable, False, transfer)
  279. self._parse_generic_attribs(returnnode, retval)
  280. parameters = []
  281. throws = (node.attrib.get('throws') == '1')
  282. if klass is ast.Callback:
  283. func = klass(name, retval, parameters, throws,
  284. node.attrib.get(_cns('type')))
  285. elif klass is ast.Function:
  286. identifier = node.attrib.get(_cns('identifier'))
  287. func = klass(name, retval, parameters, throws, identifier)
  288. elif klass is ast.VFunction:
  289. func = klass(name, retval, parameters, throws)
  290. elif klass is ast.Signal:
  291. func = klass(name, retval, parameters,
  292. when=node.attrib.get('when'),
  293. no_recurse=node.attrib.get('no-recurse', '0') == '1',
  294. detailed=node.attrib.get('detailed', '0') == '1',
  295. action=node.attrib.get('action', '0') == '1',
  296. no_hooks=node.attrib.get('no-hooks', '0') == '1')
  297. else:
  298. assert False
  299. func.shadows = node.attrib.get('shadows', None)
  300. func.shadowed_by = node.attrib.get('shadowed-by', None)
  301. func.moved_to = node.attrib.get('moved-to', None)
  302. func.parent = parent
  303. parameters_node = node.find(_corens('parameters'))
  304. if (parameters_node is not None):
  305. paramnode = self._find_first_child(parameters_node, _corens('instance-parameter'))
  306. if paramnode:
  307. func.instance_parameter = self._parse_parameter(paramnode)
  308. for paramnode in self._find_children(parameters_node, _corens('parameter')):
  309. parameters.append(self._parse_parameter(paramnode))
  310. for i, paramnode in enumerate(self._find_children(parameters_node,
  311. _corens('parameter'))):
  312. param = parameters[i]
  313. self._parse_type_array_length(parameters, paramnode, param.type)
  314. closure = paramnode.attrib.get('closure')
  315. if closure:
  316. idx = int(closure)
  317. assert idx < len(parameters), "%d >= %d" % (idx, len(parameters))
  318. param.closure_name = parameters[idx].argname
  319. destroy = paramnode.attrib.get('destroy')
  320. if destroy:
  321. idx = int(destroy)
  322. assert idx < len(parameters), "%d >= %d" % (idx, len(parameters))
  323. param.destroy_name = parameters[idx].argname
  324. self._parse_type_array_length(parameters, returnnode, retval.type)
  325. # Re-set the function's parameters to notify it of changes to the list.
  326. func.parameters = parameters
  327. self._parse_generic_attribs(node, func)
  328. self._namespace.track(func)
  329. return func
  330. def _parse_fields(self, node, obj):
  331. res = []
  332. names = (_corens('field'), _corens('record'), _corens('union'), _corens('callback'))
  333. for child in node.getchildren():
  334. if child.tag in names:
  335. fieldobj = self._parse_field(child, obj)
  336. res.append(fieldobj)
  337. return res
  338. def _parse_compound(self, cls, node):
  339. compound = cls(node.attrib.get('name'),
  340. ctype=node.attrib.get(_cns('type')),
  341. disguised=node.attrib.get('disguised') == '1',
  342. gtype_name=node.attrib.get(_glibns('type-name')),
  343. get_type=node.attrib.get(_glibns('get-type')),
  344. c_symbol_prefix=node.attrib.get(_cns('symbol-prefix')))
  345. if node.attrib.get('foreign') == '1':
  346. compound.foreign = True
  347. self._parse_generic_attribs(node, compound)
  348. if not self._types_only:
  349. compound.fields.extend(self._parse_fields(node, compound))
  350. for method in self._find_children(node, _corens('method')):
  351. func = self._parse_function_common(method, ast.Function, compound)
  352. func.is_method = True
  353. compound.methods.append(func)
  354. for i, fieldnode in enumerate(self._find_children(node, _corens('field'))):
  355. field = compound.fields[i]
  356. self._parse_type_array_length(compound.fields, fieldnode, field.type)
  357. for func in self._find_children(node, _corens('function')):
  358. compound.static_methods.append(
  359. self._parse_function_common(func, ast.Function, compound))
  360. for ctor in self._find_children(node, _corens('constructor')):
  361. func = self._parse_function_common(ctor, ast.Function, compound)
  362. func.is_constructor = True
  363. compound.constructors.append(func)
  364. return compound
  365. def _parse_record(self, node, anonymous=False):
  366. struct = self._parse_compound(ast.Record, node)
  367. is_gtype_struct_for = node.attrib.get(_glibns('is-gtype-struct-for'))
  368. if is_gtype_struct_for is not None:
  369. struct.is_gtype_struct_for = self._namespace.type_from_name(is_gtype_struct_for)
  370. if not anonymous:
  371. self._namespace.append(struct)
  372. return struct
  373. def _parse_union(self, node, anonymous=False):
  374. union = self._parse_compound(ast.Union, node)
  375. if not anonymous:
  376. self._namespace.append(union)
  377. return union
  378. def _parse_type_simple(self, typenode):
  379. # ast.Fields can contain inline callbacks
  380. if typenode.tag == _corens('callback'):
  381. typeval = self._namespace.type_from_name(typenode.attrib['name'])
  382. typeval.ctype = typenode.attrib.get(_cns('type'))
  383. return typeval
  384. # ast.Arrays have their own toplevel XML
  385. elif typenode.tag == _corens('array'):
  386. array_type = typenode.attrib.get('name')
  387. element_type = self._parse_type(typenode)
  388. array_ctype = typenode.attrib.get(_cns('type'))
  389. ret = ast.Array(array_type, element_type, ctype=array_ctype)
  390. # zero-terminated defaults to true...
  391. zero = typenode.attrib.get('zero-terminated')
  392. if zero and zero == '0':
  393. ret.zeroterminated = False
  394. fixed_size = typenode.attrib.get('fixed-size')
  395. if fixed_size:
  396. ret.size = int(fixed_size)
  397. return ret
  398. elif typenode.tag == _corens('varargs'):
  399. return ast.Varargs()
  400. elif typenode.tag == _corens('type'):
  401. name = typenode.attrib.get('name')
  402. ctype = typenode.attrib.get(_cns('type'))
  403. if name is None:
  404. if ctype is None:
  405. return ast.TypeUnknown()
  406. return ast.Type(ctype=ctype)
  407. elif name in ['GLib.List', 'GLib.SList']:
  408. subchild = self._find_first_child(typenode,
  409. list(map(_corens, ('callback', 'array',
  410. ' varargs', 'type'))))
  411. if subchild is not None:
  412. element_type = self._parse_type(typenode)
  413. else:
  414. element_type = ast.TYPE_ANY
  415. return ast.List(name, element_type, ctype=ctype)
  416. elif name == 'GLib.HashTable':
  417. subchildren = self._find_children(typenode, _corens('type'))
  418. subchildren_types = list(map(self._parse_type_simple, subchildren))
  419. while len(subchildren_types) < 2:
  420. subchildren_types.append(ast.TYPE_ANY)
  421. return ast.Map(subchildren_types[0], subchildren_types[1], ctype=ctype)
  422. else:
  423. return self._namespace.type_from_name(name, ctype)
  424. else:
  425. assert False, "Failed to parse inner type"
  426. def _parse_type(self, node):
  427. for name in map(_corens, ('callback', 'array', 'varargs', 'type')):
  428. typenode = node.find(name)
  429. if typenode is not None:
  430. return self._parse_type_simple(typenode)
  431. assert False, "Failed to parse toplevel type"
  432. def _parse_type_array_length(self, siblings, node, typeval):
  433. """A hack necessary to handle the integer parameter/field indexes on
  434. array types."""
  435. typenode = node.find(_corens('array'))
  436. if typenode is None:
  437. return
  438. lenidx = typenode.attrib.get('length')
  439. if lenidx is not None:
  440. idx = int(lenidx)
  441. assert idx < len(siblings), "%r %d >= %d" % (siblings, idx, len(siblings))
  442. if isinstance(siblings[idx], ast.Field):
  443. typeval.length_param_name = siblings[idx].name
  444. else:
  445. typeval.length_param_name = siblings[idx].argname
  446. def _parse_boxed(self, node):
  447. obj = ast.Boxed(node.attrib[_glibns('name')],
  448. gtype_name=node.attrib[_glibns('type-name')],
  449. get_type=node.attrib[_glibns('get-type')],
  450. c_symbol_prefix=node.attrib.get(_cns('symbol-prefix')))
  451. self._parse_generic_attribs(node, obj)
  452. if self._types_only:
  453. self._namespace.append(obj)
  454. return
  455. for method in self._find_children(node, _corens('method')):
  456. func = self._parse_function_common(method, ast.Function, obj)
  457. func.is_method = True
  458. obj.methods.append(func)
  459. for ctor in self._find_children(node, _corens('constructor')):
  460. obj.constructors.append(
  461. self._parse_function_common(ctor, ast.Function, obj))
  462. for callback in self._find_children(node, _corens('callback')):
  463. obj.fields.append(
  464. self._parse_function_common(callback, ast.Callback, obj))
  465. self._namespace.append(obj)
  466. def _parse_field(self, node, parent):
  467. type_node = None
  468. anonymous_node = None
  469. if node.tag in map(_corens, ('record', 'union')):
  470. anonymous_elt = node
  471. else:
  472. anonymous_elt = self._find_first_child(node, _corens('callback'))
  473. if anonymous_elt is not None:
  474. if anonymous_elt.tag == _corens('callback'):
  475. anonymous_node = self._parse_function_common(anonymous_elt, ast.Callback)
  476. elif anonymous_elt.tag == _corens('record'):
  477. anonymous_node = self._parse_record(anonymous_elt, anonymous=True)
  478. elif anonymous_elt.tag == _corens('union'):
  479. anonymous_node = self._parse_union(anonymous_elt, anonymous=True)
  480. else:
  481. assert False, anonymous_elt.tag
  482. else:
  483. assert node.tag == _corens('field'), node.tag
  484. type_node = self._parse_type(node)
  485. field = ast.Field(node.attrib.get('name'),
  486. type_node,
  487. node.attrib.get('readable') != '0',
  488. node.attrib.get('writable') == '1',
  489. node.attrib.get('bits'),
  490. anonymous_node=anonymous_node)
  491. field.private = node.attrib.get('private') == '1'
  492. field.parent = parent
  493. self._parse_generic_attribs(node, field)
  494. return field
  495. def _parse_property(self, node, parent):
  496. prop = ast.Property(node.attrib['name'],
  497. self._parse_type(node),
  498. node.attrib.get('readable') != '0',
  499. node.attrib.get('writable') == '1',
  500. node.attrib.get('construct') == '1',
  501. node.attrib.get('construct-only') == '1',
  502. node.attrib.get('transfer-ownership'))
  503. self._parse_generic_attribs(node, prop)
  504. prop.parent = parent
  505. return prop
  506. def _parse_member(self, node):
  507. member = ast.Member(node.attrib['name'],
  508. node.attrib['value'],
  509. node.attrib.get(_cns('identifier')),
  510. node.attrib.get(_glibns('nick')))
  511. self._parse_generic_attribs(node, member)
  512. return member
  513. def _parse_constant(self, node):
  514. type_node = self._parse_type(node)
  515. constant = ast.Constant(node.attrib['name'],
  516. type_node,
  517. node.attrib['value'],
  518. node.attrib.get(_cns('type')))
  519. self._parse_generic_attribs(node, constant)
  520. self._namespace.append(constant)
  521. def _parse_enumeration_bitfield(self, node):
  522. name = node.attrib.get('name')
  523. ctype = node.attrib.get(_cns('type'))
  524. get_type = node.attrib.get(_glibns('get-type'))
  525. type_name = node.attrib.get(_glibns('type-name'))
  526. glib_error_domain = node.attrib.get(_glibns('error-domain'))
  527. if node.tag == _corens('bitfield'):
  528. klass = ast.Bitfield
  529. else:
  530. klass = ast.Enum
  531. members = []
  532. obj = klass(name, ctype,
  533. members=members,
  534. gtype_name=type_name,
  535. get_type=get_type)
  536. obj.error_domain = glib_error_domain
  537. obj.ctype = ctype
  538. self._parse_generic_attribs(node, obj)
  539. if self._types_only:
  540. self._namespace.append(obj)
  541. return
  542. for member_node in self._find_children(node, _corens('member')):
  543. member = self._parse_member(member_node)
  544. member.parent = obj
  545. members.append(member)
  546. for func_node in self._find_children(node, _corens('function')):
  547. func = self._parse_function_common(func_node, ast.Function)
  548. func.parent = obj
  549. obj.static_methods.append(func)
  550. self._namespace.append(obj)