gdumpparser.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533
  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. import sys
  26. import tempfile
  27. import shutil
  28. import subprocess
  29. from xml.etree.cElementTree import parse
  30. from . import ast
  31. from . import message
  32. from . import utils
  33. from .transformer import TransformerException
  34. from .utils import to_underscores
  35. # GParamFlags
  36. G_PARAM_READABLE = 1 << 0
  37. G_PARAM_WRITABLE = 1 << 1
  38. G_PARAM_CONSTRUCT = 1 << 2
  39. G_PARAM_CONSTRUCT_ONLY = 1 << 3
  40. G_PARAM_LAX_VALIDATION = 1 << 4
  41. G_PARAM_STATIC_NAME = 1 << 5
  42. G_PARAM_STATIC_NICK = 1 << 6
  43. G_PARAM_STATIC_BLURB = 1 << 7
  44. class IntrospectionBinary(object):
  45. def __init__(self, args, tmpdir=None):
  46. self.args = args
  47. if tmpdir is None:
  48. self.tmpdir = tempfile.mkdtemp('', 'tmp-introspect')
  49. else:
  50. self.tmpdir = tmpdir
  51. class Unresolved(object):
  52. def __init__(self, target):
  53. self.target = target
  54. class UnknownTypeError(Exception):
  55. pass
  56. class GDumpParser(object):
  57. def __init__(self, transformer):
  58. self._transformer = transformer
  59. self._namespace = transformer.namespace
  60. self._binary = None
  61. self._get_type_functions = []
  62. self._error_quark_functions = []
  63. self._error_domains = {}
  64. self._boxed_types = {}
  65. self._private_internal_types = {}
  66. # Public API
  67. def init_parse(self):
  68. """Do parsing steps that don't involve the introspection binary
  69. This does enough work that get_type_functions() can be called.
  70. """
  71. # First pass: parsing
  72. for node in self._namespace.values():
  73. if isinstance(node, ast.Function):
  74. self._initparse_function(node)
  75. if self._namespace.name == 'GObject' or self._namespace.name == 'GLib':
  76. for node in self._namespace.values():
  77. if isinstance(node, ast.Record):
  78. self._initparse_gobject_record(node)
  79. def get_get_type_functions(self):
  80. return self._get_type_functions
  81. def get_error_quark_functions(self):
  82. return self._error_quark_functions
  83. def set_introspection_binary(self, binary):
  84. self._binary = binary
  85. def parse(self):
  86. """Do remaining parsing steps requiring introspection binary"""
  87. # Get all the GObject data by passing our list of get_type
  88. # functions to the compiled binary, returning an XML blob.
  89. tree = self._execute_binary_get_tree()
  90. root = tree.getroot()
  91. for child in root:
  92. if child.tag == 'error-quark':
  93. self._introspect_error_quark(child)
  94. else:
  95. self._introspect_type(child)
  96. # Pair up boxed types and class records
  97. for name, boxed in self._boxed_types.items():
  98. self._pair_boxed_type(boxed)
  99. for node in self._namespace.values():
  100. if isinstance(node, (ast.Class, ast.Interface)):
  101. self._find_class_record(node)
  102. # Clear the _get_type functions out of the namespace;
  103. # Anyone who wants them can get them from the ast.Class/Interface/Boxed
  104. to_remove = []
  105. for name, node in self._namespace.items():
  106. if isinstance(node, ast.Registered) and node.get_type is not None:
  107. get_type_name = node.get_type
  108. if get_type_name == 'intern':
  109. continue
  110. assert get_type_name, node
  111. (ns, name) = self._transformer.split_csymbol(get_type_name)
  112. assert ns is self._namespace
  113. get_type_func = self._namespace.get(name)
  114. assert get_type_func, name
  115. to_remove.append(get_type_func)
  116. for node in to_remove:
  117. self._namespace.remove(node)
  118. # Helper functions
  119. def _execute_binary_get_tree(self):
  120. """Load the library (or executable), returning an XML
  121. blob containing data gleaned from GObject's primitive introspection."""
  122. in_path = os.path.join(self._binary.tmpdir, 'functions.txt')
  123. with open(in_path, 'w') as f:
  124. for func in self._get_type_functions:
  125. f.write('get-type:')
  126. f.write(func)
  127. f.write('\n')
  128. for func in self._error_quark_functions:
  129. f.write('error-quark:')
  130. f.write(func)
  131. f.write('\n')
  132. out_path = os.path.join(self._binary.tmpdir, 'dump.xml')
  133. args = []
  134. args.extend(self._binary.args)
  135. args.append('--introspect-dump=%s,%s' % (in_path, out_path))
  136. # Invoke the binary, having written our get_type functions to types.txt
  137. try:
  138. try:
  139. subprocess.check_call(args, stdout=sys.stdout, stderr=sys.stderr)
  140. except subprocess.CalledProcessError as e:
  141. # Clean up temporaries
  142. raise SystemExit(e)
  143. return parse(out_path)
  144. finally:
  145. if not utils.have_debug_flag('save-temps'):
  146. shutil.rmtree(self._binary.tmpdir)
  147. # Parser
  148. def _initparse_function(self, func):
  149. symbol = func.symbol
  150. if symbol.startswith('_'):
  151. return
  152. elif (symbol.endswith('_get_type') or symbol.endswith('_get_gtype')):
  153. self._initparse_get_type_function(func)
  154. elif symbol.endswith('_error_quark'):
  155. self._initparse_error_quark_function(func)
  156. def _initparse_get_type_function(self, func):
  157. if func.symbol == 'g_variant_get_gtype':
  158. # We handle variants internally, see _initparse_gobject_record
  159. return True
  160. if func.is_type_meta_function():
  161. self._get_type_functions.append(func.symbol)
  162. return True
  163. return False
  164. def _initparse_error_quark_function(self, func):
  165. if (func.retval.type.ctype != 'GQuark'):
  166. return False
  167. self._error_quark_functions.append(func.symbol)
  168. return True
  169. def _initparse_gobject_record(self, record):
  170. if (record.name.startswith('ParamSpec')
  171. and record.name not in ('ParamSpecPool', 'ParamSpecClass', 'ParamSpecTypeInfo')):
  172. parent = None
  173. if record.name != 'ParamSpec':
  174. parent = ast.Type(target_giname='GObject.ParamSpec')
  175. prefix = to_underscores(record.name).lower()
  176. node = ast.Class(record.name, parent,
  177. ctype=record.ctype,
  178. # GParamSpecXxx has g_type_name 'GParamXxx'
  179. gtype_name=record.ctype.replace('Spec', ''),
  180. get_type='intern',
  181. c_symbol_prefix=prefix)
  182. node.fundamental = True
  183. if record.name == 'ParamSpec':
  184. node.is_abstract = True
  185. self._add_record_fields(node)
  186. self._namespace.append(node, replace=True)
  187. elif record.name == 'Variant':
  188. self._boxed_types['GVariant'] = ast.Boxed('Variant',
  189. gtype_name='GVariant',
  190. get_type='intern',
  191. c_symbol_prefix='variant')
  192. elif record.name == 'InitiallyUnownedClass':
  193. record.fields = self._namespace.get('ObjectClass').fields
  194. record.disguised = False
  195. # Introspection over the data we get from the dynamic
  196. # GObject/GType system out of the binary
  197. def _introspect_type(self, xmlnode):
  198. if xmlnode.tag in ('enum', 'flags'):
  199. self._introspect_enum(xmlnode)
  200. elif xmlnode.tag == 'class':
  201. self._introspect_object(xmlnode)
  202. elif xmlnode.tag == 'interface':
  203. self._introspect_interface(xmlnode)
  204. elif xmlnode.tag == 'boxed':
  205. self._introspect_boxed(xmlnode)
  206. elif xmlnode.tag == 'fundamental':
  207. self._introspect_fundamental(xmlnode)
  208. else:
  209. raise ValueError("Unhandled introspection XML tag %s", xmlnode.tag)
  210. def _introspect_enum(self, xmlnode):
  211. type_name = xmlnode.attrib['name']
  212. (get_type, c_symbol_prefix) = self._split_type_and_symbol_prefix(xmlnode)
  213. try:
  214. enum_name = self._transformer.strip_identifier(type_name)
  215. except TransformerException as e:
  216. message.fatal(e)
  217. # The scanned member values are more accurate than the values that the
  218. # we dumped from GEnumValue.value because GEnumValue.value has the
  219. # values as a 32-bit signed integer, even if they were unsigned
  220. # in the source code.
  221. previous_values = {}
  222. previous = self._namespace.get(enum_name)
  223. if isinstance(previous, (ast.Enum, ast.Bitfield)):
  224. for member in previous.members:
  225. previous_values[member.name] = member.value
  226. members = []
  227. for member in xmlnode.findall('member'):
  228. # Keep the name closer to what we'd take from C by default;
  229. # see http://bugzilla.gnome.org/show_bug.cgi?id=575613
  230. name = member.attrib['nick'].replace('-', '_')
  231. if name in previous_values:
  232. value = previous_values[name]
  233. else:
  234. value = member.attrib['value']
  235. members.append(ast.Member(name,
  236. value,
  237. member.attrib['name'],
  238. member.attrib['nick']))
  239. if xmlnode.tag == 'flags':
  240. klass = ast.Bitfield
  241. else:
  242. klass = ast.Enum
  243. node = klass(enum_name, type_name,
  244. gtype_name=type_name,
  245. c_symbol_prefix=c_symbol_prefix,
  246. members=members,
  247. get_type=xmlnode.attrib['get-type'])
  248. self._namespace.append(node, replace=True)
  249. def _split_type_and_symbol_prefix(self, xmlnode):
  250. """Infer the C symbol prefix from the _get_type function."""
  251. get_type = xmlnode.attrib['get-type']
  252. (ns, name) = self._transformer.split_csymbol(get_type)
  253. assert ns is self._namespace
  254. if name in ('get_type', '_get_gtype'):
  255. message.fatal("""The GObject name '%s' isn't compatible
  256. with the configured identifier prefixes:
  257. %r
  258. The class would have no name. Most likely you want to specify a
  259. different --identifier-prefix.""" % (xmlnode.attrib['name'], self._namespace.identifier_prefixes))
  260. if name.endswith('_get_type'):
  261. type_suffix = '_get_type'
  262. else:
  263. type_suffix = '_get_gtype'
  264. return (get_type, name[:-len(type_suffix)])
  265. def _introspect_object(self, xmlnode):
  266. type_name = xmlnode.attrib['name']
  267. is_abstract = bool(xmlnode.attrib.get('abstract', False))
  268. (get_type, c_symbol_prefix) = self._split_type_and_symbol_prefix(xmlnode)
  269. try:
  270. object_name = self._transformer.strip_identifier(type_name)
  271. except TransformerException as e:
  272. message.fatal(e)
  273. node = ast.Class(object_name, None,
  274. gtype_name=type_name,
  275. get_type=get_type,
  276. c_symbol_prefix=c_symbol_prefix,
  277. is_abstract=is_abstract)
  278. self._parse_parents(xmlnode, node)
  279. self._introspect_properties(node, xmlnode)
  280. self._introspect_signals(node, xmlnode)
  281. self._introspect_implemented_interfaces(node, xmlnode)
  282. self._add_record_fields(node)
  283. self._namespace.append(node, replace=True)
  284. def _introspect_interface(self, xmlnode):
  285. type_name = xmlnode.attrib['name']
  286. (get_type, c_symbol_prefix) = self._split_type_and_symbol_prefix(xmlnode)
  287. try:
  288. interface_name = self._transformer.strip_identifier(type_name)
  289. except TransformerException as e:
  290. message.fatal(e)
  291. node = ast.Interface(interface_name, None,
  292. gtype_name=type_name,
  293. get_type=get_type,
  294. c_symbol_prefix=c_symbol_prefix)
  295. self._introspect_properties(node, xmlnode)
  296. self._introspect_signals(node, xmlnode)
  297. for child in xmlnode.findall('prerequisite'):
  298. name = child.attrib['name']
  299. prereq = ast.Type.create_from_gtype_name(name)
  300. node.prerequisites.append(prereq)
  301. record = self._namespace.get(node.name)
  302. if isinstance(record, ast.Record):
  303. node.ctype = record.ctype
  304. else:
  305. message.warn_node(node, "Couldn't find associated structure for '%s'" % (node.name, ))
  306. # GtkFileChooserEmbed is an example of a private interface, we
  307. # just filter them out
  308. if xmlnode.attrib['get-type'].startswith('_'):
  309. self._private_internal_types[type_name] = node
  310. else:
  311. self._namespace.append(node, replace=True)
  312. # WORKAROUND
  313. # https://bugzilla.gnome.org/show_bug.cgi?id=550616
  314. def _introspect_boxed_gstreamer_workaround(self, xmlnode):
  315. node = ast.Boxed('ParamSpecMiniObject', gtype_name='GParamSpecMiniObject',
  316. get_type='gst_param_spec_mini_object_get_type',
  317. c_symbol_prefix='param_spec_mini_object')
  318. self._boxed_types[node.gtype_name] = node
  319. def _introspect_boxed(self, xmlnode):
  320. type_name = xmlnode.attrib['name']
  321. # Work around GStreamer legacy naming issue
  322. # https://bugzilla.gnome.org/show_bug.cgi?id=550616
  323. if type_name == 'GParamSpecMiniObject':
  324. self._introspect_boxed_gstreamer_workaround(xmlnode)
  325. return
  326. try:
  327. name = self._transformer.strip_identifier(type_name)
  328. except TransformerException as e:
  329. message.fatal(e)
  330. # This one doesn't go in the main namespace; we associate it with
  331. # the struct or union
  332. (get_type, c_symbol_prefix) = self._split_type_and_symbol_prefix(xmlnode)
  333. node = ast.Boxed(name, gtype_name=type_name,
  334. get_type=get_type,
  335. c_symbol_prefix=c_symbol_prefix)
  336. self._boxed_types[node.gtype_name] = node
  337. def _introspect_implemented_interfaces(self, node, xmlnode):
  338. gt_interfaces = []
  339. for interface in xmlnode.findall('implements'):
  340. gitype = ast.Type.create_from_gtype_name(interface.attrib['name'])
  341. gt_interfaces.append(gitype)
  342. node.interfaces = gt_interfaces
  343. def _introspect_properties(self, node, xmlnode):
  344. for pspec in xmlnode.findall('property'):
  345. ctype = pspec.attrib['type']
  346. flags = int(pspec.attrib['flags'])
  347. readable = (flags & G_PARAM_READABLE) != 0
  348. writable = (flags & G_PARAM_WRITABLE) != 0
  349. construct = (flags & G_PARAM_CONSTRUCT) != 0
  350. construct_only = (flags & G_PARAM_CONSTRUCT_ONLY) != 0
  351. node.properties.append(ast.Property(
  352. pspec.attrib['name'],
  353. ast.Type.create_from_gtype_name(ctype),
  354. readable, writable, construct, construct_only))
  355. node.properties = node.properties
  356. def _introspect_signals(self, node, xmlnode):
  357. for signal_info in xmlnode.findall('signal'):
  358. rctype = signal_info.attrib['return']
  359. rtype = ast.Type.create_from_gtype_name(rctype)
  360. return_ = ast.Return(rtype)
  361. parameters = []
  362. when = signal_info.attrib.get('when')
  363. no_recurse = signal_info.attrib.get('no-recurse', '0') == '1'
  364. detailed = signal_info.attrib.get('detailed', '0') == '1'
  365. action = signal_info.attrib.get('action', '0') == '1'
  366. no_hooks = signal_info.attrib.get('no-hooks', '0') == '1'
  367. for i, parameter in enumerate(signal_info.findall('param')):
  368. if i == 0:
  369. argname = 'object'
  370. else:
  371. argname = 'p%s' % (i - 1, )
  372. pctype = parameter.attrib['type']
  373. ptype = ast.Type.create_from_gtype_name(pctype)
  374. param = ast.Parameter(argname, ptype)
  375. param.transfer = ast.PARAM_TRANSFER_NONE
  376. parameters.append(param)
  377. signal = ast.Signal(signal_info.attrib['name'], return_, parameters,
  378. when=when, no_recurse=no_recurse, detailed=detailed,
  379. action=action, no_hooks=no_hooks)
  380. node.signals.append(signal)
  381. node.signals = node.signals
  382. def _parse_parents(self, xmlnode, node):
  383. parents_str = xmlnode.attrib.get('parents', '')
  384. if parents_str != '':
  385. parent_types = list(map(lambda s: ast.Type.create_from_gtype_name(s),
  386. parents_str.split(',')))
  387. else:
  388. parent_types = []
  389. node.parent_chain = parent_types
  390. def _introspect_fundamental(self, xmlnode):
  391. type_name = xmlnode.attrib['name']
  392. is_abstract = bool(xmlnode.attrib.get('abstract', False))
  393. (get_type, c_symbol_prefix) = self._split_type_and_symbol_prefix(xmlnode)
  394. try:
  395. fundamental_name = self._transformer.strip_identifier(type_name)
  396. except TransformerException as e:
  397. message.warn(e)
  398. return
  399. node = ast.Class(fundamental_name, None,
  400. gtype_name=type_name,
  401. get_type=get_type,
  402. c_symbol_prefix=c_symbol_prefix,
  403. is_abstract=is_abstract)
  404. self._parse_parents(xmlnode, node)
  405. node.fundamental = True
  406. self._introspect_implemented_interfaces(node, xmlnode)
  407. self._add_record_fields(node)
  408. self._namespace.append(node, replace=True)
  409. def _add_record_fields(self, node):
  410. # add record fields
  411. record = self._namespace.get(node.name)
  412. if not isinstance(record, ast.Record):
  413. return
  414. node.ctype = record.ctype
  415. node.fields = record.fields
  416. for field in node.fields:
  417. if isinstance(field, ast.Field):
  418. # Object instance fields are assumed to be read-only
  419. # (see also _find_class_record and transformer.py)
  420. field.writable = False
  421. def _introspect_error_quark(self, xmlnode):
  422. symbol = xmlnode.attrib['function']
  423. error_domain = xmlnode.attrib['domain']
  424. function = self._namespace.get_by_symbol(symbol)
  425. if function is None:
  426. return
  427. node = ast.ErrorQuarkFunction(function.name, function.retval,
  428. function.parameters, function.throws,
  429. function.symbol, error_domain)
  430. self._namespace.append(node, replace=True)
  431. def _pair_boxed_type(self, boxed):
  432. try:
  433. name = self._transformer.strip_identifier(boxed.gtype_name)
  434. except TransformerException as e:
  435. message.fatal(e)
  436. pair_node = self._namespace.get(name)
  437. if not pair_node:
  438. # Keep the "bare" boxed instance
  439. self._namespace.append(boxed)
  440. elif isinstance(pair_node, (ast.Record, ast.Union)):
  441. pair_node.add_gtype(boxed.gtype_name, boxed.get_type)
  442. assert boxed.c_symbol_prefix is not None
  443. pair_node.c_symbol_prefix = boxed.c_symbol_prefix
  444. # Quick hack - reset the disguised flag; we're setting it
  445. # incorrectly in the scanner
  446. pair_node.disguised = False
  447. else:
  448. return False
  449. def _find_class_record(self, cls):
  450. pair_record = None
  451. if isinstance(cls, ast.Class):
  452. pair_record = self._namespace.get(cls.name + 'Class')
  453. else:
  454. for suffix in ('Iface', 'Interface'):
  455. pair_record = self._namespace.get(cls.name + suffix)
  456. if pair_record:
  457. break
  458. if not (pair_record and isinstance(pair_record, ast.Record)):
  459. return
  460. cls.glib_type_struct = pair_record.create_type()
  461. cls.inherit_file_positions(pair_record)
  462. pair_record.is_gtype_struct_for = cls.create_type()