docwriter.py 33 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961
  1. #!/usr/bin/env python
  2. # -*- Mode: Python -*-
  3. # GObject-Introspection - a framework for introspecting GObject libraries
  4. # Copyright (C) 2010 Zach Goldberg
  5. # Copyright (C) 2011 Johan Dahlin
  6. # Copyright (C) 2011 Shaun McCance
  7. #
  8. # This program is free software; you can redistribute it and/or
  9. # modify it under the terms of the GNU General Public License
  10. # as published by the Free Software Foundation; either version 2
  11. # of the License, or (at your option) any later version.
  12. #
  13. # This program is distributed in the hope that it will be useful,
  14. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  15. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  16. # GNU General Public License for more details.
  17. #
  18. # You should have received a copy of the GNU General Public License
  19. # along with this program; if not, write to the Free Software
  20. # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA
  21. # 02110-1301, USA.
  22. #
  23. from __future__ import absolute_import
  24. from __future__ import division
  25. from __future__ import print_function
  26. from __future__ import unicode_literals
  27. import os
  28. import re
  29. import tempfile
  30. from xml.sax import saxutils
  31. from mako.lookup import TemplateLookup
  32. from . import ast, xmlwriter
  33. from .utils import to_underscores
  34. def make_page_id(node, recursive=False):
  35. if isinstance(node, ast.Namespace):
  36. if recursive:
  37. return node.name
  38. else:
  39. return 'index'
  40. if hasattr(node, '_chain') and node._chain:
  41. parent = node._chain[-1]
  42. else:
  43. parent = getattr(node, 'parent', None)
  44. if parent is None:
  45. if isinstance(node, ast.Function) and node.shadows:
  46. return '%s.%s' % (node.namespace.name, node.shadows)
  47. else:
  48. return '%s.%s' % (node.namespace.name, node.name)
  49. if isinstance(node, (ast.Property, ast.Signal, ast.VFunction, ast.Field)):
  50. return '%s-%s' % (make_page_id(parent, recursive=True), node.name)
  51. elif isinstance(node, ast.Function) and node.shadows:
  52. return '%s.%s' % (make_page_id(parent, recursive=True), node.shadows)
  53. else:
  54. return '%s.%s' % (make_page_id(parent, recursive=True), node.name)
  55. def get_node_kind(node):
  56. if isinstance(node, ast.Namespace):
  57. node_kind = 'namespace'
  58. elif isinstance(node, (ast.Class, ast.Boxed, ast.Compound)):
  59. node_kind = 'class'
  60. elif isinstance(node, ast.Interface):
  61. node_kind = 'interface'
  62. elif isinstance(node, ast.Record):
  63. node_kind = 'record'
  64. elif isinstance(node, ast.Function):
  65. if node.is_method:
  66. node_kind = 'method'
  67. elif node.is_constructor:
  68. node_kind = 'constructor'
  69. else:
  70. node_kind = 'function'
  71. elif isinstance(node, (ast.Enum, ast.Bitfield)):
  72. node_kind = 'enum'
  73. elif isinstance(node, ast.Property) and node.parent is not None:
  74. node_kind = 'property'
  75. elif isinstance(node, ast.Signal) and node.parent is not None:
  76. node_kind = 'signal'
  77. elif isinstance(node, ast.VFunction) and node.parent is not None:
  78. node_kind = 'vfunc'
  79. elif isinstance(node, ast.Callable):
  80. node_kind = 'callback'
  81. elif isinstance(node, ast.Field):
  82. node_kind = 'field'
  83. else:
  84. node_kind = 'default'
  85. return node_kind
  86. class TemplatedScanner(object):
  87. def __init__(self, specs):
  88. self.specs = self.unmangle_specs(specs)
  89. self.regex = self.make_regex(self.specs)
  90. def unmangle_specs(self, specs):
  91. mangled = re.compile('<<([a-zA-Z_:]+)>>')
  92. specdict = dict((name.lstrip('!'), spec) for name, spec in specs)
  93. def unmangle(spec, name=None):
  94. def replace_func(match):
  95. child_spec_name = match.group(1)
  96. if ':' in child_spec_name:
  97. pattern_name, child_spec_name = child_spec_name.split(':', 1)
  98. else:
  99. pattern_name = None
  100. child_spec = specdict[child_spec_name]
  101. # Force all child specs of this one to be unnamed
  102. unmangled = unmangle(child_spec, None)
  103. if pattern_name and name:
  104. return '(?P<%s_%s>%s)' % (name, pattern_name, unmangled)
  105. else:
  106. return unmangled
  107. return mangled.sub(replace_func, spec)
  108. return [(name, unmangle(spec, name)) for name, spec in specs]
  109. def make_regex(self, specs):
  110. regex = '|'.join('(?P<%s>%s)' % (name, spec) for name, spec in specs
  111. if not name.startswith('!'))
  112. return re.compile(regex)
  113. def get_properties(self, name, match):
  114. groupdict = match.groupdict()
  115. properties = {name: groupdict.pop(name)}
  116. name = name + "_"
  117. for group, value in groupdict.items():
  118. if group.startswith(name):
  119. key = group[len(name):]
  120. properties[key] = value
  121. return properties
  122. def scan(self, text):
  123. pos = 0
  124. while True:
  125. match = self.regex.search(text, pos)
  126. if match is None:
  127. break
  128. start = match.start()
  129. if start > pos:
  130. yield ('other', text[pos:start], None)
  131. pos = match.end()
  132. name = match.lastgroup
  133. yield (name, match.group(0), self.get_properties(name, match))
  134. if pos < len(text):
  135. yield ('other', text[pos:], None)
  136. class DocstringScanner(TemplatedScanner):
  137. def __init__(self):
  138. specs = [
  139. ('!alpha', r'[a-zA-Z0-9_]+'),
  140. ('!alpha_dash', r'[a-zA-Z0-9_-]+'),
  141. ('property', r'#<<type_name:alpha>>:(<<property_name:alpha_dash>>)'),
  142. ('signal', r'#<<type_name:alpha>>::(<<signal_name:alpha_dash>>)'),
  143. ('type_name', r'#(<<type_name:alpha>>)'),
  144. ('enum_value', r'%(<<member_name:alpha>>)'),
  145. ('parameter', r'@<<param_name:alpha>>'),
  146. ('function_call', r'<<symbol_name:alpha>>\(\)'),
  147. ]
  148. super(DocstringScanner, self).__init__(specs)
  149. class DocFormatter(object):
  150. def __init__(self, transformer):
  151. self._transformer = transformer
  152. self._scanner = DocstringScanner()
  153. def escape(self, text):
  154. return saxutils.escape(text)
  155. def should_render_node(self, node):
  156. if getattr(node, "private", False):
  157. return False
  158. # Nodes without namespace are AST bugs really
  159. # They are used for structs and unions declared
  160. # inline inside other structs, but they are not
  161. # even picked up by g-ir-compiler, because they
  162. # don't create a <type/> element.
  163. # So just ignore them.
  164. if isinstance(node, ast.Node) and node.namespace is None:
  165. return False
  166. return True
  167. def format(self, node, doc):
  168. if doc is None:
  169. return ''
  170. result = ''
  171. for para in doc.split('\n\n'):
  172. result += ' <p>'
  173. result += self.format_inline(node, para)
  174. result += '</p>'
  175. return result
  176. def _resolve_type(self, ident):
  177. try:
  178. matches = self._transformer.split_ctype_namespaces(ident)
  179. except ValueError:
  180. return None
  181. for namespace, name in matches:
  182. node = namespace.get(name)
  183. if node:
  184. return node
  185. return None
  186. def _resolve_symbol(self, symbol):
  187. try:
  188. matches = self._transformer.split_csymbol_namespaces(symbol)
  189. except ValueError:
  190. return None
  191. for namespace, name in matches:
  192. node = namespace.get_by_symbol(symbol)
  193. if node:
  194. return node
  195. return None
  196. def _find_thing(self, list_, name):
  197. for item in list_:
  198. if item.name == name:
  199. return item
  200. raise KeyError("Could not find %s" % (name, ))
  201. def _process_other(self, node, match, props):
  202. return self.escape(match)
  203. def _process_property(self, node, match, props):
  204. type_node = self._resolve_type(props['type_name'])
  205. if type_node is None:
  206. return match
  207. try:
  208. prop = self._find_thing(type_node.properties, props['property_name'])
  209. except (AttributeError, KeyError):
  210. return match
  211. return self.format_xref(prop)
  212. def _process_signal(self, node, match, props):
  213. type_node = self._resolve_type(props['type_name'])
  214. if type_node is None:
  215. return match
  216. try:
  217. signal = self._find_thing(type_node.signals, props['signal_name'])
  218. except (AttributeError, KeyError):
  219. return match
  220. return self.format_xref(signal)
  221. def _process_type_name(self, node, match, props):
  222. type_ = self._resolve_type(props['type_name'])
  223. if type_ is None:
  224. return match
  225. return self.format_xref(type_)
  226. def _process_enum_value(self, node, match, props):
  227. member_name = props['member_name']
  228. try:
  229. return '<code>%s</code>' % (self.fundamentals[member_name], )
  230. except KeyError:
  231. pass
  232. enum_value = self._resolve_symbol(member_name)
  233. if enum_value:
  234. return self.format_xref(enum_value)
  235. return match
  236. def _process_parameter(self, node, match, props):
  237. try:
  238. parameter = node.get_parameter(props['param_name'])
  239. except (AttributeError, ValueError):
  240. return match
  241. return '<code>%s</code>' % (self.format_parameter_name(node, parameter), )
  242. def _process_function_call(self, node, match, props):
  243. func = self._resolve_symbol(props['symbol_name'])
  244. if func is None:
  245. return match
  246. return self.format_xref(func)
  247. def _process_token(self, node, tok):
  248. kind, match, props = tok
  249. dispatch = {
  250. 'other': self._process_other,
  251. 'property': self._process_property,
  252. 'signal': self._process_signal,
  253. 'type_name': self._process_type_name,
  254. 'enum_value': self._process_enum_value,
  255. 'parameter': self._process_parameter,
  256. 'function_call': self._process_function_call,
  257. }
  258. return dispatch[kind](node, match, props)
  259. def get_in_parameters(self, node):
  260. raise NotImplementedError
  261. def format_inline(self, node, para):
  262. tokens = self._scanner.scan(para)
  263. words = [self._process_token(node, tok) for tok in tokens]
  264. return ''.join(words)
  265. def format_parameter_name(self, node, parameter):
  266. if isinstance(parameter.type, ast.Varargs):
  267. return "..."
  268. else:
  269. return parameter.argname
  270. def format_function_name(self, func):
  271. raise NotImplementedError
  272. def format_type(self, type_, link=False):
  273. raise NotImplementedError
  274. def format_page_name(self, node):
  275. if isinstance(node, ast.Namespace):
  276. return node.name
  277. elif isinstance(node, ast.Function):
  278. return self.format_function_name(node)
  279. elif isinstance(node, ast.Property) and node.parent is not None:
  280. return '%s:%s' % (self.format_page_name(node.parent), node.name)
  281. elif isinstance(node, ast.Signal) and node.parent is not None:
  282. return '%s::%s' % (self.format_page_name(node.parent), node.name)
  283. elif isinstance(node, ast.VFunction) and node.parent is not None:
  284. return '%s::%s' % (self.format_page_name(node.parent), node.name)
  285. elif isinstance(node, ast.Field) and node.parent is not None:
  286. return '%s->%s' % (self.format_page_name(node.parent), node.name)
  287. else:
  288. return make_page_id(node)
  289. def format_xref(self, node, **attrdict):
  290. if node is None or not hasattr(node, 'namespace'):
  291. attrs = [('xref', 'index')] + list(sorted(attrdict.items()))
  292. return xmlwriter.build_xml_tag('link', attrs)
  293. elif isinstance(node, ast.Member):
  294. # Enum/BitField members are linked to the main enum page.
  295. return self.format_xref(node.parent, **attrdict) + '.' + node.name
  296. elif node.namespace is self._transformer.namespace:
  297. return self.format_internal_xref(node, attrdict)
  298. else:
  299. return self.format_external_xref(node, attrdict)
  300. def format_internal_xref(self, node, attrdict):
  301. attrs = [('xref', make_page_id(node))] + list(sorted(attrdict.items()))
  302. return xmlwriter.build_xml_tag('link', attrs)
  303. def format_external_xref(self, node, attrdict):
  304. ns = node.namespace
  305. attrs = [('href', '../%s-%s/%s.html' % (ns.name, str(ns.version),
  306. make_page_id(node)))]
  307. attrs += list(sorted(attrdict.items()))
  308. return xmlwriter.build_xml_tag('link', attrs, self.format_page_name(node))
  309. def field_is_writable(self, field):
  310. return True
  311. def format_property_flags(self, property_, construct_only=False):
  312. flags = []
  313. if property_.readable and not construct_only:
  314. flags.append("Read")
  315. if property_.writable and not construct_only and \
  316. self.field_is_writable(property_):
  317. flags.append("Write")
  318. if isinstance(property_, ast.Property):
  319. if property_.construct:
  320. flags.append("Construct")
  321. if property_.construct_only:
  322. flags.append("Construct Only")
  323. return " / ".join(flags)
  324. def to_underscores(self, node):
  325. if isinstance(node, ast.Property):
  326. return node.name.replace('-', '_')
  327. elif node.name:
  328. return to_underscores(node.name)
  329. elif isinstance(node, ast.Callback):
  330. return 'callback'
  331. elif isinstance(node, ast.Union):
  332. return 'anonymous_union'
  333. elif isinstance(node, ast.Field):
  334. return 'anonymous field'
  335. else:
  336. raise Exception('invalid node')
  337. def to_lower_camel_case(self, string):
  338. return string[0].lower() + string[1:]
  339. def get_class_hierarchy(self, node):
  340. assert isinstance(node, ast.Class)
  341. parent_chain = [node]
  342. while node.parent_type:
  343. node = self._transformer.lookup_typenode(node.parent_type)
  344. parent_chain.append(node)
  345. parent_chain.reverse()
  346. return parent_chain
  347. def format_prerequisites(self, node):
  348. assert isinstance(node, ast.Interface)
  349. if len(node.prerequisites) > 0:
  350. if len(node.prerequisites) > 1:
  351. return ', '.join(node.prerequisites[:-1]) + \
  352. ' and ' + node.prerequisites[-1]
  353. else:
  354. return node.prerequisites[0]
  355. else:
  356. return 'GObject.Object'
  357. def format_known_implementations(self, node):
  358. assert isinstance(node, ast.Interface)
  359. node_name = node.namespace.name + '.' + node.name
  360. impl = []
  361. for c in node.namespace.values():
  362. if not isinstance(c, ast.Class):
  363. continue
  364. for implemented in c.interfaces:
  365. if implemented.target_giname == node_name:
  366. impl.append(c)
  367. break
  368. if len(impl) == 0:
  369. return 'None'
  370. else:
  371. out = '%s is implemented by ' % (node.name,)
  372. if len(impl) == 1:
  373. return out + impl[0].name
  374. else:
  375. return out + ', '.join(i.name for i in impl[:-1]) + \
  376. ' and ' + impl[-1].name
  377. class DocFormatterC(DocFormatter):
  378. language = "C"
  379. mime_type = "text/x-csrc"
  380. fundamentals = {
  381. "TRUE": "TRUE",
  382. "FALSE": "FALSE",
  383. "NULL": "NULL",
  384. }
  385. def format_type(self, type_, link=False):
  386. if isinstance(type_, ast.Array):
  387. return self.format_type(type_.element_type) + '*'
  388. elif type_.ctype is not None:
  389. return type_.ctype
  390. elif type_.target_fundamental:
  391. return type_.target_fundamental
  392. else:
  393. node = self._transformer.lookup_typenode(type_)
  394. return getattr(node, 'ctype')
  395. def format_function_name(self, func):
  396. if isinstance(func, ast.Function):
  397. return func.symbol
  398. else:
  399. return func.name
  400. def get_in_parameters(self, node):
  401. return node.all_parameters
  402. class DocFormatterIntrospectableBase(DocFormatter):
  403. def should_render_node(self, node):
  404. if isinstance(node, ast.Record) and node.is_gtype_struct_for is not None:
  405. return False
  406. if not getattr(node, "introspectable", True):
  407. return False
  408. if isinstance(node, ast.Function) and node.shadowed_by is not None:
  409. return False
  410. return super(DocFormatterIntrospectableBase, self).should_render_node(node)
  411. class DocFormatterPython(DocFormatterIntrospectableBase):
  412. language = "Python"
  413. mime_type = "text/python"
  414. fundamentals = {
  415. "TRUE": "True",
  416. "FALSE": "False",
  417. "NULL": "None",
  418. }
  419. def should_render_node(self, node):
  420. if getattr(node, "is_constructor", False):
  421. return False
  422. return super(DocFormatterPython, self).should_render_node(node)
  423. def is_method(self, node):
  424. if getattr(node, "is_method", False):
  425. return True
  426. if isinstance(node, ast.VFunction):
  427. return True
  428. return False
  429. def format_parameter_name(self, node, parameter):
  430. # Force "self" for the first parameter of a method
  431. if self.is_method(node) and parameter is node.instance_parameter:
  432. return "self"
  433. elif isinstance(parameter.type, ast.Varargs):
  434. return "..."
  435. else:
  436. return parameter.argname
  437. def format_fundamental_type(self, name):
  438. fundamental_types = {
  439. "utf8": "unicode",
  440. "gunichar": "unicode",
  441. "gchar": "str",
  442. "guchar": "str",
  443. "gboolean": "bool",
  444. "gint": "int",
  445. "guint": "int",
  446. "glong": "int",
  447. "gulong": "int",
  448. "gint64": "int",
  449. "guint64": "int",
  450. "gfloat": "float",
  451. "gdouble": "float",
  452. "gchararray": "str",
  453. "GParam": "GLib.Param",
  454. "PyObject": "object",
  455. "GStrv": "[str]",
  456. "GVariant": "GLib.Variant"}
  457. return fundamental_types.get(name, name)
  458. def format_type(self, type_, link=False):
  459. if isinstance(type_, (ast.List, ast.Array)):
  460. return '[' + self.format_type(type_.element_type) + ']'
  461. elif isinstance(type_, ast.Map):
  462. return '{%s: %s}' % (self.format_type(type_.key_type),
  463. self.format_type(type_.value_type))
  464. elif type_.target_giname is not None:
  465. return type_.target_giname
  466. else:
  467. return self.format_fundamental_type(type_.target_fundamental)
  468. def format_function_name(self, func):
  469. if func.parent is not None:
  470. return "%s.%s" % (self.format_page_name(func.parent), func.name)
  471. else:
  472. return func.name
  473. def get_in_parameters(self, node):
  474. return node.all_parameters
  475. class DocFormatterGjs(DocFormatterIntrospectableBase):
  476. language = "Gjs"
  477. mime_type = "text/x-gjs"
  478. fundamentals = {
  479. "TRUE": "true",
  480. "FALSE": "false",
  481. "NULL": "null",
  482. }
  483. def is_method(self, node):
  484. if getattr(node, "is_method", False):
  485. return True
  486. if isinstance(node, ast.VFunction):
  487. return True
  488. return False
  489. def resolve_gboxed_constructor(self, node):
  490. zero_args_constructor = None
  491. default_constructor = None
  492. introspectable_constructors = \
  493. list(filter(lambda c: getattr(c, 'introspectable', True),
  494. node.constructors))
  495. for c in introspectable_constructors:
  496. if zero_args_constructor is None and \
  497. len(c.parameters) == 0:
  498. zero_args_constructor = c
  499. if default_constructor is None and \
  500. c.name == 'new':
  501. default_constructor = c
  502. if default_constructor is None:
  503. default_constructor = zero_args_constructor
  504. if default_constructor is None and \
  505. len(introspectable_constructors) > 0:
  506. default_constructor = introspectable_constructors[0]
  507. node.gjs_default_constructor = default_constructor
  508. node.gjs_zero_args_constructor = zero_args_constructor
  509. def should_render_node(self, node):
  510. if isinstance(node, (ast.Compound, ast.Boxed)):
  511. self.resolve_gboxed_constructor(node)
  512. if isinstance(node, ast.Compound) and node.disguised and \
  513. len(node.methods) == len(node.static_methods) == len(node.constructors) == 0:
  514. return False
  515. if isinstance(node, ast.ErrorQuarkFunction):
  516. return False
  517. if isinstance(node, ast.Field):
  518. if node.type is None:
  519. return False
  520. if isinstance(node.parent, (ast.Class, ast.Union)):
  521. return False
  522. if isinstance(node, ast.Union) and node.name is None:
  523. return False
  524. if isinstance(node, ast.Class):
  525. is_gparam_subclass = False
  526. if node.parent_type:
  527. parent = self._transformer.lookup_typenode(node.parent_type)
  528. while parent:
  529. if parent.namespace.name == 'GObject' and \
  530. parent.name == 'ParamSpec':
  531. is_gparam_subclass = True
  532. break
  533. if parent.parent_type is None:
  534. break
  535. parent = self._transformer.lookup_typenode(parent.parent_type)
  536. if is_gparam_subclass:
  537. return False
  538. return super(DocFormatterGjs, self).should_render_node(node)
  539. def format_fundamental_type(self, name):
  540. fundamental_types = {
  541. "none": "void",
  542. "gpointer": "void",
  543. "gboolean": "Boolean",
  544. "gint8": "Number(gint8)",
  545. "guint8": "Number(guint8)",
  546. "gint16": "Number(gint16)",
  547. "guint16": "Number(guint16)",
  548. "gint32": "Number(gint32)",
  549. "guint32": "Number(guint32)",
  550. "gchar": "Number(gchar)",
  551. "guchar": "Number(guchar)",
  552. "gshort": "Number(gshort)",
  553. "gint": "Number(gint)",
  554. "guint": "Number(guint)",
  555. "gfloat": "Number(gfloat)",
  556. "gdouble": "Number(gdouble)",
  557. "utf8": "String",
  558. "gunichar": "String",
  559. "filename": "String",
  560. "GType": "GObject.Type",
  561. "GVariant": "GLib.Variant",
  562. # These cannot be fully represented in gjs
  563. "gsize": "Number(gsize)",
  564. "gssize": "Number(gssize)",
  565. "gintptr": "Number(gintptr)",
  566. "guintptr": "Number(guintptr)",
  567. "glong": "Number(glong)",
  568. "gulong": "Number(gulong)",
  569. "gint64": "Number(gint64)",
  570. "guint64": "Number(guint64)",
  571. "long double": "Number(long double)",
  572. "long long": "Number(long long)",
  573. "unsigned long long": "Number(unsigned long long)"}
  574. return fundamental_types.get(name, name)
  575. def format_type(self, type_, link=False):
  576. if isinstance(type_, ast.Array) and \
  577. type_.element_type.target_fundamental in ('gint8', 'guint8'):
  578. return 'ByteArray'
  579. elif isinstance(type_, (ast.List, ast.Array)):
  580. return 'Array(' + self.format_type(type_.element_type, link) + ')'
  581. elif isinstance(type_, ast.Map):
  582. return '{%s: %s}' % (self.format_type(type_.key_type, link),
  583. self.format_type(type_.value_type, link))
  584. elif not type_ or type_.target_fundamental == "none":
  585. return "void"
  586. elif type_.target_giname is not None:
  587. giname = type_.target_giname
  588. if giname in ('GLib.ByteArray', 'GLib.Bytes'):
  589. return 'ByteArray'
  590. if giname == 'GObject.Value':
  591. return 'Any'
  592. if giname == 'GObject.Closure':
  593. return 'Function'
  594. if link:
  595. nsname = self._transformer.namespace.name
  596. if giname.startswith(nsname + '.'):
  597. return '<link xref="%s">%s</link>' % (giname, giname)
  598. else:
  599. resolved = self._transformer.lookup_typenode(type_)
  600. if resolved:
  601. return self.format_xref(resolved)
  602. return giname
  603. else:
  604. return self.format_fundamental_type(type_.target_fundamental)
  605. def format_function_name(self, func):
  606. name = func.name
  607. if func.shadows:
  608. name = func.shadows
  609. if func.is_method:
  610. return "%s.prototype.%s" % (self.format_page_name(func.parent), name)
  611. elif func.parent is not None:
  612. return "%s.%s" % (self.format_page_name(func.parent), name)
  613. else:
  614. return name
  615. def format_page_name(self, node):
  616. if isinstance(node, (ast.Field, ast.Property)):
  617. return '%s.%s' % (self.format_page_name(node.parent), self.to_underscores(node))
  618. else:
  619. return DocFormatterIntrospectableBase.format_page_name(self, node)
  620. def has_any_parameters(self, node):
  621. return len(node.parameters) > 0 or \
  622. node.retval.type.target_fundamental != 'none'
  623. def get_in_parameters(self, node):
  624. skip = set()
  625. for param in node.parameters:
  626. if param.direction == ast.PARAM_DIRECTION_OUT:
  627. skip.add(param)
  628. if param.closure_name is not None:
  629. skip.add(node.get_parameter(param.closure_name))
  630. if param.destroy_name is not None:
  631. skip.add(node.get_parameter(param.destroy_name))
  632. if isinstance(param.type, ast.Array) and param.type.length_param_name is not None:
  633. skip.add(node.get_parameter(param.type.length_param_name))
  634. params = []
  635. for param in node.parameters:
  636. if param not in skip:
  637. params.append(param)
  638. return params
  639. def get_out_parameters(self, node):
  640. skip = set()
  641. for param in node.parameters:
  642. if param.direction == ast.PARAM_DIRECTION_IN:
  643. skip.add(param)
  644. if param.closure_name is not None:
  645. skip.add(node.get_parameter(param.closure_name))
  646. if param.destroy_name is not None:
  647. skip.add(node.get_parameter(param.destroy_name))
  648. if isinstance(param.type, ast.Array) and param.type.length_param_name is not None:
  649. skip.add(node.get_parameter(param.type.length_param_name))
  650. params = []
  651. if node.retval.type.target_fundamental != 'none':
  652. name = 'return_value'
  653. if node.retval.type.target_fundamental == 'gboolean':
  654. name = 'ok'
  655. ret_param = ast.Parameter(name, node.retval.type,
  656. ast.PARAM_DIRECTION_OUT)
  657. ret_param.doc = node.retval.doc
  658. params.append(ret_param)
  659. for param in node.parameters:
  660. if param not in skip:
  661. params.append(param)
  662. if len(params) == 1:
  663. params[0].argname = 'Returns'
  664. return params
  665. def format_in_parameters(self, node):
  666. in_params = self.get_in_parameters(node)
  667. return ', '.join(('%s: %s' % (p.argname, self.format_type(p.type, True)))
  668. for p in in_params)
  669. def format_out_parameters(self, node):
  670. out_params = self.get_out_parameters(node)
  671. if len(out_params) == 0:
  672. return 'void'
  673. elif len(out_params) == 1:
  674. return self.format_type(out_params[0].type, True)
  675. else:
  676. return '[' + ', '.join(('%s: %s' % (p.argname, self.format_type(p.type, True)))
  677. for p in out_params) + ']'
  678. def field_is_writable(self, node):
  679. if isinstance(node, ast.Field):
  680. if node.type is None:
  681. return False
  682. if node.private:
  683. return False
  684. if isinstance(node.parent, ast.Union):
  685. return False
  686. if node.type.target_fundamental not in \
  687. (None, 'none', 'gpointer', 'utf8', 'filename', 'va_list'):
  688. return True
  689. resolved = self._transformer.lookup_typenode(node.type)
  690. if resolved:
  691. if isinstance(resolved, ast.Compound) and node.type.ctype[-1] != '*':
  692. return self._struct_is_simple(resolved)
  693. elif isinstance(resolved, (ast.Enum, ast.Bitfield)):
  694. return True
  695. return False
  696. else:
  697. return True
  698. def _struct_is_simple(self, node):
  699. if node.disguised or len(node.fields) == 0:
  700. return False
  701. for f in node.fields:
  702. if not self.field_is_writable(f):
  703. return False
  704. return True
  705. def format_gboxed_constructor(self, node):
  706. if node.namespace.name == 'GLib' and node.name == 'Variant':
  707. return 'signature: String, value: Any'
  708. zero_args_constructor = node.gjs_zero_args_constructor
  709. default_constructor = node.gjs_default_constructor
  710. can_allocate = zero_args_constructor is not None
  711. if not can_allocate and isinstance(node, ast.Record):
  712. can_allocate = self._struct_is_simple(node)
  713. # Small lie: if can_allocate is False, and
  714. # default_constructor is None, then you cannot
  715. # construct the boxed in any way. But let's
  716. # pretend you can with the regular constructor
  717. if can_allocate or default_constructor is None:
  718. if isinstance(node, ast.Compound):
  719. fields = filter(self.field_is_writable, node.fields)
  720. out = ''
  721. for f in fields:
  722. out += " <link xref='%s.%s-%s'>%s</link>: value\n" % \
  723. (node.namespace.name, node.name, f.name, f.name)
  724. if out:
  725. out = "{\n" + out + "}"
  726. return out
  727. else:
  728. return ''
  729. else:
  730. construct_params = self.get_in_parameters(default_constructor)
  731. return ', '.join(('%s: %s' % (p.argname, self.format_type(p.type)))
  732. for p in construct_params)
  733. LANGUAGES = {
  734. "c": DocFormatterC,
  735. "python": DocFormatterPython,
  736. "gjs": DocFormatterGjs,
  737. }
  738. class DocWriter(object):
  739. def __init__(self, transformer, language):
  740. self._transformer = transformer
  741. try:
  742. formatter_class = LANGUAGES[language.lower()]
  743. except KeyError:
  744. raise SystemExit("Unsupported language: %s" % (language, ))
  745. self._formatter = formatter_class(self._transformer)
  746. self._language = self._formatter.language
  747. self._lookup = self._get_template_lookup()
  748. def _get_template_lookup(self):
  749. if 'UNINSTALLED_INTROSPECTION_SRCDIR' in os.environ:
  750. top_srcdir = os.environ['UNINSTALLED_INTROSPECTION_SRCDIR']
  751. srcdir = os.path.join(top_srcdir, 'giscanner')
  752. else:
  753. srcdir = os.path.dirname(__file__)
  754. template_dir = os.path.join(srcdir, 'doctemplates')
  755. return TemplateLookup(directories=[template_dir],
  756. module_directory=tempfile.mkdtemp(),
  757. output_encoding='utf-8')
  758. def write(self, output):
  759. try:
  760. os.makedirs(output)
  761. except OSError:
  762. # directory already made
  763. pass
  764. self._walk_node(output, self._transformer.namespace, [])
  765. self._transformer.namespace.walk(lambda node, chain: self._walk_node(output, node, chain))
  766. def _walk_node(self, output, node, chain):
  767. if isinstance(node, ast.Function) and node.moved_to is not None:
  768. return False
  769. if self._formatter.should_render_node(node):
  770. self._render_node(node, chain, output)
  771. # hack: fields are not Nodes in the ast, so we don't
  772. # see them in the visit. Handle them manually here
  773. if isinstance(node, (ast.Compound, ast.Class)):
  774. chain.append(node)
  775. for f in node.fields:
  776. self._walk_node(output, f, chain)
  777. chain.pop()
  778. return True
  779. return False
  780. def _render_node(self, node, chain, output):
  781. namespace = self._transformer.namespace
  782. # A bit of a hack...maybe this should be an official API
  783. node._chain = list(chain)
  784. page_kind = get_node_kind(node)
  785. template_name = '%s/%s.tmpl' % (self._language, page_kind)
  786. page_id = make_page_id(node)
  787. template = self._lookup.get_template(template_name)
  788. result = template.render(namespace=namespace,
  789. node=node,
  790. page_id=page_id,
  791. page_kind=page_kind,
  792. formatter=self._formatter,
  793. ast=ast)
  794. output_file_name = os.path.join(os.path.abspath(output),
  795. page_id + '.page')
  796. with open(output_file_name, 'wb') as fp:
  797. fp.write(result)