blob: 8bf7eb699c4e7234f4f2929b4e158fe8a0dc93db [file] [log] [blame]
Martin v. Löwis5680d0c2008-04-10 03:06:53 +00001# -*- coding: utf-8 -*-
2"""
3 pyspecific.py
4 ~~~~~~~~~~~~~
5
6 Sphinx extension with Python doc-specific markup.
7
Georg Brandl7ed509a2014-01-21 19:20:31 +01008 :copyright: 2008-2014 by Georg Brandl.
Martin v. Löwis5680d0c2008-04-10 03:06:53 +00009 :license: Python license.
10"""
11
Georg Brandl35903c82014-10-30 22:55:13 +010012import re
Victor Stinner272d8882017-06-16 08:59:01 +020013import io
Steve Dowerafe17a72018-12-19 18:20:06 -080014from os import getenv, path
Georg Brandl35903c82014-10-30 22:55:13 +010015from time import asctime
16from pprint import pformat
17from docutils.io import StringOutput
Ned Deily50f58162017-07-15 15:28:02 -040018from docutils.parsers.rst import Directive
Georg Brandl35903c82014-10-30 22:55:13 +010019from docutils.utils import new_document
Martin v. Löwis5680d0c2008-04-10 03:06:53 +000020
21from docutils import nodes, utils
Georg Brandl239990d2013-10-12 20:50:21 +020022
Georg Brandl35903c82014-10-30 22:55:13 +010023from sphinx import addnodes
24from sphinx.builders import Builder
INADA Naokic351ce62017-03-08 19:07:13 +090025from sphinx.locale import translators
Benjamin Petersonacfb0872018-04-16 22:56:46 -070026from sphinx.util import status_iterator
Georg Brandl68818862010-11-06 07:19:35 +000027from sphinx.util.nodes import split_explicit_title
Georg Brandl239990d2013-10-12 20:50:21 +020028from sphinx.writers.html import HTMLTranslator
Benjamin Petersonacfb0872018-04-16 22:56:46 -070029from sphinx.writers.text import TextWriter, TextTranslator
Georg Brandl239990d2013-10-12 20:50:21 +020030from sphinx.writers.latex import LaTeXTranslator
Georg Brandl35903c82014-10-30 22:55:13 +010031from sphinx.domains.python import PyModulelevel, PyClassmember
32
33# Support for checking for suspicious markup
34
35import suspicious
36
37
38ISSUE_URI = 'https://bugs.python.org/issue%s'
Łukasz Langa3b5deb02019-06-04 19:44:34 +020039SOURCE_URI = 'https://github.com/python/cpython/tree/3.8/%s'
Martin v. Löwis5680d0c2008-04-10 03:06:53 +000040
Benjamin Peterson5c6d7872009-02-06 02:40:07 +000041# monkey-patch reST parser to disable alphabetic and roman enumerated lists
42from docutils.parsers.rst.states import Body
43Body.enum.converters['loweralpha'] = \
44 Body.enum.converters['upperalpha'] = \
45 Body.enum.converters['lowerroman'] = \
46 Body.enum.converters['upperroman'] = lambda x: None
47
Georg Brandl83e51f42012-10-10 16:45:11 +020048# monkey-patch HTML and LaTeX translators to keep doctest blocks in the
49# doctest docs themselves
50orig_visit_literal_block = HTMLTranslator.visit_literal_block
Georg Brandl35903c82014-10-30 22:55:13 +010051orig_depart_literal_block = LaTeXTranslator.depart_literal_block
52
53
Georg Brandl83e51f42012-10-10 16:45:11 +020054def new_visit_literal_block(self, node):
55 meta = self.builder.env.metadata[self.builder.current_docname]
56 old_trim_doctest_flags = self.highlighter.trim_doctest_flags
57 if 'keepdoctest' in meta:
58 self.highlighter.trim_doctest_flags = False
59 try:
60 orig_visit_literal_block(self, node)
61 finally:
62 self.highlighter.trim_doctest_flags = old_trim_doctest_flags
63
Georg Brandl83e51f42012-10-10 16:45:11 +020064
Georg Brandl83e51f42012-10-10 16:45:11 +020065def new_depart_literal_block(self, node):
66 meta = self.builder.env.metadata[self.curfilestack[-1]]
67 old_trim_doctest_flags = self.highlighter.trim_doctest_flags
68 if 'keepdoctest' in meta:
69 self.highlighter.trim_doctest_flags = False
70 try:
71 orig_depart_literal_block(self, node)
72 finally:
73 self.highlighter.trim_doctest_flags = old_trim_doctest_flags
74
Georg Brandl35903c82014-10-30 22:55:13 +010075
76HTMLTranslator.visit_literal_block = new_visit_literal_block
Georg Brandl83e51f42012-10-10 16:45:11 +020077LaTeXTranslator.depart_literal_block = new_depart_literal_block
Benjamin Peterson5c6d7872009-02-06 02:40:07 +000078
Georg Brandl35903c82014-10-30 22:55:13 +010079
Georg Brandl495f7b52009-10-27 15:28:25 +000080# Support for marking up and linking to bugs.python.org issues
81
Martin v. Löwis5680d0c2008-04-10 03:06:53 +000082def issue_role(typ, rawtext, text, lineno, inliner, options={}, content=[]):
83 issue = utils.unescape(text)
Brett Cannon79ab8be2017-02-10 15:10:13 -080084 text = 'bpo-' + issue
Martin v. Löwis5680d0c2008-04-10 03:06:53 +000085 refnode = nodes.reference(text, text, refuri=ISSUE_URI % issue)
86 return [refnode], []
87
88
Georg Brandl68818862010-11-06 07:19:35 +000089# Support for linking to Python source files easily
90
91def source_role(typ, rawtext, text, lineno, inliner, options={}, content=[]):
92 has_t, title, target = split_explicit_title(text)
93 title = utils.unescape(title)
94 target = utils.unescape(target)
95 refnode = nodes.reference(title, title, refuri=SOURCE_URI % target)
96 return [refnode], []
97
98
Georg Brandl495f7b52009-10-27 15:28:25 +000099# Support for marking up implementation details
100
Georg Brandl495f7b52009-10-27 15:28:25 +0000101class ImplementationDetail(Directive):
102
103 has_content = True
104 required_arguments = 0
105 optional_arguments = 1
106 final_argument_whitespace = True
107
INADA Naokic351ce62017-03-08 19:07:13 +0900108 # This text is copied to templates/dummy.html
109 label_text = 'CPython implementation detail:'
110
Georg Brandl495f7b52009-10-27 15:28:25 +0000111 def run(self):
112 pnode = nodes.compound(classes=['impl-detail'])
INADA Naokic351ce62017-03-08 19:07:13 +0900113 label = translators['sphinx'].gettext(self.label_text)
Georg Brandl495f7b52009-10-27 15:28:25 +0000114 content = self.content
INADA Naokic351ce62017-03-08 19:07:13 +0900115 add_text = nodes.strong(label, label)
Georg Brandl495f7b52009-10-27 15:28:25 +0000116 if self.arguments:
117 n, m = self.state.inline_text(self.arguments[0], self.lineno)
118 pnode.append(nodes.paragraph('', '', *(n + m)))
119 self.state.nested_parse(content, self.content_offset, pnode)
120 if pnode.children and isinstance(pnode[0], nodes.paragraph):
INADA Naokic351ce62017-03-08 19:07:13 +0900121 content = nodes.inline(pnode[0].rawsource, translatable=True)
122 content.source = pnode[0].source
123 content.line = pnode[0].line
124 content += pnode[0].children
125 pnode[0].replace_self(nodes.paragraph('', '', content,
126 translatable=False))
Georg Brandl495f7b52009-10-27 15:28:25 +0000127 pnode[0].insert(0, add_text)
128 pnode[0].insert(1, nodes.Text(' '))
129 else:
130 pnode.insert(0, nodes.paragraph('', '', add_text))
131 return [pnode]
132
133
Cheryl Sabella2d6097d2018-10-12 10:55:20 -0400134# Support for documenting platform availability
135
136class Availability(Directive):
137
138 has_content = False
139 required_arguments = 1
140 optional_arguments = 0
141 final_argument_whitespace = True
142
143 def run(self):
Julien Palardbeed84c2018-11-07 22:42:40 +0100144 availability_ref = ':ref:`Availability <availability>`: '
145 pnode = nodes.paragraph(availability_ref + self.arguments[0],
146 classes=["availability"],)
147 n, m = self.state.inline_text(availability_ref, self.lineno)
Cheryl Sabella2d6097d2018-10-12 10:55:20 -0400148 pnode.extend(n + m)
149 n, m = self.state.inline_text(self.arguments[0], self.lineno)
150 pnode.extend(n + m)
151 return [pnode]
152
153
Steve Dowerb82e17e2019-05-23 08:45:22 -0700154# Support for documenting audit event
155
156class AuditEvent(Directive):
157
158 has_content = True
159 required_arguments = 1
160 optional_arguments = 1
161 final_argument_whitespace = True
162
163 _label = [
164 "Raises an :ref:`auditing event <auditing>` {name} with no arguments.",
165 "Raises an :ref:`auditing event <auditing>` {name} with argument {args}.",
166 "Raises an :ref:`auditing event <auditing>` {name} with arguments {args}.",
167 ]
168
169 def run(self):
170 if len(self.arguments) >= 2 and self.arguments[1]:
171 args = [
172 "``{}``".format(a.strip())
173 for a in self.arguments[1].strip("'\"").split()
174 if a.strip()
175 ]
176 else:
177 args = []
178
179 label = translators['sphinx'].gettext(self._label[min(2, len(args))])
180 text = label.format(name="``{}``".format(self.arguments[0]),
181 args=", ".join(args))
182
183 pnode = nodes.paragraph(text, classes=["audit-hook"])
184 if self.content:
185 self.state.nested_parse(self.content, self.content_offset, pnode)
186 else:
187 n, m = self.state.inline_text(text, self.lineno)
188 pnode.extend(n + m)
189
190 return [pnode]
191
192
Georg Brandl8a1caa22010-07-29 16:01:11 +0000193# Support for documenting decorators
194
Georg Brandl8a1caa22010-07-29 16:01:11 +0000195class PyDecoratorMixin(object):
196 def handle_signature(self, sig, signode):
197 ret = super(PyDecoratorMixin, self).handle_signature(sig, signode)
198 signode.insert(0, addnodes.desc_addname('@', '@'))
199 return ret
200
201 def needs_arglist(self):
202 return False
203
Georg Brandl35903c82014-10-30 22:55:13 +0100204
Georg Brandl8a1caa22010-07-29 16:01:11 +0000205class PyDecoratorFunction(PyDecoratorMixin, PyModulelevel):
206 def run(self):
207 # a decorator function is a function after all
208 self.name = 'py:function'
209 return PyModulelevel.run(self)
210
Georg Brandl35903c82014-10-30 22:55:13 +0100211
Georg Brandl8a1caa22010-07-29 16:01:11 +0000212class PyDecoratorMethod(PyDecoratorMixin, PyClassmember):
213 def run(self):
214 self.name = 'py:method'
215 return PyClassmember.run(self)
216
217
Victor Stinnerbdd574d2015-02-12 22:49:18 +0100218class PyCoroutineMixin(object):
219 def handle_signature(self, sig, signode):
220 ret = super(PyCoroutineMixin, self).handle_signature(sig, signode)
Victor Stinnerbdd574d2015-02-12 22:49:18 +0100221 signode.insert(0, addnodes.desc_annotation('coroutine ', 'coroutine '))
222 return ret
223
Victor Stinnerbdd574d2015-02-12 22:49:18 +0100224
Yury Selivanov47150392018-09-18 17:55:44 -0400225class PyAwaitableMixin(object):
226 def handle_signature(self, sig, signode):
227 ret = super(PyAwaitableMixin, self).handle_signature(sig, signode)
228 signode.insert(0, addnodes.desc_annotation('awaitable ', 'awaitable '))
229 return ret
230
231
Victor Stinnerbdd574d2015-02-12 22:49:18 +0100232class PyCoroutineFunction(PyCoroutineMixin, PyModulelevel):
233 def run(self):
Victor Stinnerbdd574d2015-02-12 22:49:18 +0100234 self.name = 'py:function'
235 return PyModulelevel.run(self)
236
237
238class PyCoroutineMethod(PyCoroutineMixin, PyClassmember):
239 def run(self):
240 self.name = 'py:method'
241 return PyClassmember.run(self)
242
243
Yury Selivanov47150392018-09-18 17:55:44 -0400244class PyAwaitableFunction(PyAwaitableMixin, PyClassmember):
245 def run(self):
246 self.name = 'py:function'
247 return PyClassmember.run(self)
248
249
250class PyAwaitableMethod(PyAwaitableMixin, PyClassmember):
251 def run(self):
252 self.name = 'py:method'
253 return PyClassmember.run(self)
254
255
Berker Peksag6e9d2e62015-12-08 12:14:50 +0200256class PyAbstractMethod(PyClassmember):
257
258 def handle_signature(self, sig, signode):
259 ret = super(PyAbstractMethod, self).handle_signature(sig, signode)
260 signode.insert(0, addnodes.desc_annotation('abstractmethod ',
261 'abstractmethod '))
262 return ret
263
264 def run(self):
265 self.name = 'py:method'
266 return PyClassmember.run(self)
267
268
Georg Brandl281d6ba2010-11-12 08:57:12 +0000269# Support for documenting version of removal in deprecations
270
Georg Brandl281d6ba2010-11-12 08:57:12 +0000271class DeprecatedRemoved(Directive):
272 has_content = True
273 required_arguments = 2
274 optional_arguments = 1
275 final_argument_whitespace = True
276 option_spec = {}
277
cocoatomo0febc052018-02-23 20:47:19 +0900278 _label = 'Deprecated since version {deprecated}, will be removed in version {removed}'
Georg Brandl7ed509a2014-01-21 19:20:31 +0100279
Georg Brandl281d6ba2010-11-12 08:57:12 +0000280 def run(self):
281 node = addnodes.versionmodified()
282 node.document = self.state.document
283 node['type'] = 'deprecated-removed'
284 version = (self.arguments[0], self.arguments[1])
285 node['version'] = version
cocoatomo0febc052018-02-23 20:47:19 +0900286 label = translators['sphinx'].gettext(self._label)
287 text = label.format(deprecated=self.arguments[0], removed=self.arguments[1])
Georg Brandl281d6ba2010-11-12 08:57:12 +0000288 if len(self.arguments) == 3:
289 inodes, messages = self.state.inline_text(self.arguments[2],
290 self.lineno+1)
cocoatomo0febc052018-02-23 20:47:19 +0900291 para = nodes.paragraph(self.arguments[2], '', *inodes, translatable=False)
Georg Brandl7ed509a2014-01-21 19:20:31 +0100292 node.append(para)
Georg Brandl281d6ba2010-11-12 08:57:12 +0000293 else:
Georg Brandl7ed509a2014-01-21 19:20:31 +0100294 messages = []
295 if self.content:
296 self.state.nested_parse(self.content, self.content_offset, node)
Berker Peksageb1a3cd2014-11-08 22:40:22 +0200297 if len(node):
Georg Brandl7ed509a2014-01-21 19:20:31 +0100298 if isinstance(node[0], nodes.paragraph) and node[0].rawsource:
299 content = nodes.inline(node[0].rawsource, translatable=True)
300 content.source = node[0].source
301 content.line = node[0].line
302 content += node[0].children
cocoatomo0febc052018-02-23 20:47:19 +0900303 node[0].replace_self(nodes.paragraph('', '', content, translatable=False))
Berker Peksageb1a3cd2014-11-08 22:40:22 +0200304 node[0].insert(0, nodes.inline('', '%s: ' % text,
305 classes=['versionmodified']))
Ned Deilyb682fd32014-09-22 14:44:22 -0700306 else:
Georg Brandl7ed509a2014-01-21 19:20:31 +0100307 para = nodes.paragraph('', '',
Georg Brandl35903c82014-10-30 22:55:13 +0100308 nodes.inline('', '%s.' % text,
cocoatomo0febc052018-02-23 20:47:19 +0900309 classes=['versionmodified']),
310 translatable=False)
Berker Peksageb1a3cd2014-11-08 22:40:22 +0200311 node.append(para)
Georg Brandl281d6ba2010-11-12 08:57:12 +0000312 env = self.state.document.settings.env
Pablo Galindo960bb882019-05-10 22:58:17 +0100313 env.get_domain('changeset').note_changeset(node)
Georg Brandl7ed509a2014-01-21 19:20:31 +0100314 return [node] + messages
Georg Brandl281d6ba2010-11-12 08:57:12 +0000315
316
Georg Brandl2cac28b2012-09-30 15:10:06 +0200317# Support for including Misc/NEWS
318
Brett Cannon79ab8be2017-02-10 15:10:13 -0800319issue_re = re.compile('(?:[Ii]ssue #|bpo-)([0-9]+)')
Georg Brandl44d0c212012-10-01 19:08:50 +0200320whatsnew_re = re.compile(r"(?im)^what's new in (.*?)\??$")
Georg Brandl2cac28b2012-09-30 15:10:06 +0200321
Georg Brandl35903c82014-10-30 22:55:13 +0100322
Georg Brandl2cac28b2012-09-30 15:10:06 +0200323class MiscNews(Directive):
324 has_content = False
325 required_arguments = 1
326 optional_arguments = 0
327 final_argument_whitespace = False
328 option_spec = {}
329
330 def run(self):
331 fname = self.arguments[0]
332 source = self.state_machine.input_lines.source(
333 self.lineno - self.state_machine.input_offset - 1)
Steve Dowerafe17a72018-12-19 18:20:06 -0800334 source_dir = getenv('PY_MISC_NEWS_DIR')
335 if not source_dir:
336 source_dir = path.dirname(path.abspath(source))
Georg Brandl44d0c212012-10-01 19:08:50 +0200337 fpath = path.join(source_dir, fname)
338 self.state.document.settings.record_dependencies.add(fpath)
Georg Brandl2cac28b2012-09-30 15:10:06 +0200339 try:
Victor Stinner272d8882017-06-16 08:59:01 +0200340 with io.open(fpath, encoding='utf-8') as fp:
Georg Brandl2cac28b2012-09-30 15:10:06 +0200341 content = fp.read()
Georg Brandl2cac28b2012-09-30 15:10:06 +0200342 except Exception:
343 text = 'The NEWS file is not available.'
344 node = nodes.strong(text, text)
345 return [node]
Brett Cannon79ab8be2017-02-10 15:10:13 -0800346 content = issue_re.sub(r'`bpo-\1 <https://bugs.python.org/issue\1>`__',
Georg Brandl2cac28b2012-09-30 15:10:06 +0200347 content)
Georg Brandl44d0c212012-10-01 19:08:50 +0200348 content = whatsnew_re.sub(r'\1', content)
Georg Brandl2cac28b2012-09-30 15:10:06 +0200349 # remove first 3 lines as they are the main heading
Georg Brandl6c475812012-10-01 19:27:05 +0200350 lines = ['.. default-role:: obj', ''] + content.splitlines()[3:]
Georg Brandl2cac28b2012-09-30 15:10:06 +0200351 self.state_machine.insert_input(lines, fname)
352 return []
353
354
Georg Brandl6b38daa2008-06-01 21:05:17 +0000355# Support for building "topic help" for pydoc
356
357pydoc_topic_labels = [
Jelle Zijlstraac317702017-10-05 20:24:46 -0700358 'assert', 'assignment', 'async', 'atom-identifiers', 'atom-literals',
359 'attribute-access', 'attribute-references', 'augassign', 'await',
360 'binary', 'bitwise', 'bltin-code-objects', 'bltin-ellipsis-object',
Benjamin Peterson0d31d582010-06-06 02:44:41 +0000361 'bltin-null-object', 'bltin-type-objects', 'booleans',
Georg Brandl6b38daa2008-06-01 21:05:17 +0000362 'break', 'callable-types', 'calls', 'class', 'comparisons', 'compound',
363 'context-managers', 'continue', 'conversions', 'customization', 'debugger',
364 'del', 'dict', 'dynamic-features', 'else', 'exceptions', 'execmodel',
365 'exprlists', 'floating', 'for', 'formatstrings', 'function', 'global',
366 'id-classes', 'identifiers', 'if', 'imaginary', 'import', 'in', 'integers',
Benjamin Petersonf5a3d692010-08-31 14:31:01 +0000367 'lambda', 'lists', 'naming', 'nonlocal', 'numbers', 'numeric-types',
368 'objects', 'operator-summary', 'pass', 'power', 'raise', 'return',
369 'sequence-types', 'shifting', 'slicings', 'specialattrs', 'specialnames',
370 'string-methods', 'strings', 'subscriptions', 'truth', 'try', 'types',
371 'typesfunctions', 'typesmapping', 'typesmethods', 'typesmodules',
372 'typesseq', 'typesseq-mutable', 'unary', 'while', 'with', 'yield'
Georg Brandl6b38daa2008-06-01 21:05:17 +0000373]
374
Georg Brandl6b38daa2008-06-01 21:05:17 +0000375
376class PydocTopicsBuilder(Builder):
377 name = 'pydoc-topics'
378
Benjamin Petersonacfb0872018-04-16 22:56:46 -0700379 default_translator_class = TextTranslator
380
Georg Brandl6b38daa2008-06-01 21:05:17 +0000381 def init(self):
382 self.topics = {}
Benjamin Petersonacfb0872018-04-16 22:56:46 -0700383 self.secnumbers = {}
Georg Brandl6b38daa2008-06-01 21:05:17 +0000384
385 def get_outdated_docs(self):
386 return 'all pydoc topics'
387
388 def get_target_uri(self, docname, typ=None):
389 return '' # no URIs
390
391 def write(self, *ignored):
392 writer = TextWriter(self)
Benjamin Petersonacfb0872018-04-16 22:56:46 -0700393 for label in status_iterator(pydoc_topic_labels,
394 'building topics... ',
395 length=len(pydoc_topic_labels)):
Georg Brandl80ff2ad2010-07-31 08:27:46 +0000396 if label not in self.env.domaindata['std']['labels']:
Georg Brandl6b38daa2008-06-01 21:05:17 +0000397 self.warn('label %r not in documentation' % label)
398 continue
Georg Brandl80ff2ad2010-07-31 08:27:46 +0000399 docname, labelid, sectname = self.env.domaindata['std']['labels'][label]
Georg Brandl6b38daa2008-06-01 21:05:17 +0000400 doctree = self.env.get_and_resolve_doctree(docname, self)
401 document = new_document('<section node>')
402 document.append(doctree.ids[labelid])
403 destination = StringOutput(encoding='utf-8')
404 writer.write(document, destination)
Ned Deilyb682fd32014-09-22 14:44:22 -0700405 self.topics[label] = writer.output
Georg Brandl6b38daa2008-06-01 21:05:17 +0000406
407 def finish(self):
Ned Deilyb682fd32014-09-22 14:44:22 -0700408 f = open(path.join(self.outdir, 'topics.py'), 'wb')
Georg Brandl6b38daa2008-06-01 21:05:17 +0000409 try:
Ned Deilyb682fd32014-09-22 14:44:22 -0700410 f.write('# -*- coding: utf-8 -*-\n'.encode('utf-8'))
411 f.write(('# Autogenerated by Sphinx on %s\n' % asctime()).encode('utf-8'))
412 f.write(('topics = ' + pformat(self.topics) + '\n').encode('utf-8'))
Georg Brandl6b38daa2008-06-01 21:05:17 +0000413 finally:
414 f.close()
415
Georg Brandl495f7b52009-10-27 15:28:25 +0000416
Georg Brandlf0dd6a62008-07-23 15:19:11 +0000417# Support for documenting Opcodes
418
Georg Brandl4833e5b2010-07-03 10:41:33 +0000419opcode_sig_re = re.compile(r'(\w+(?:\+\d)?)(?:\s*\((.*)\))?')
Georg Brandlf0dd6a62008-07-23 15:19:11 +0000420
Georg Brandl35903c82014-10-30 22:55:13 +0100421
Georg Brandlf0dd6a62008-07-23 15:19:11 +0000422def parse_opcode_signature(env, sig, signode):
423 """Transform an opcode signature into RST nodes."""
424 m = opcode_sig_re.match(sig)
425 if m is None:
426 raise ValueError
427 opname, arglist = m.groups()
428 signode += addnodes.desc_name(opname, opname)
Georg Brandl4833e5b2010-07-03 10:41:33 +0000429 if arglist is not None:
430 paramlist = addnodes.desc_parameterlist()
431 signode += paramlist
432 paramlist += addnodes.desc_parameter(arglist, arglist)
Georg Brandlf0dd6a62008-07-23 15:19:11 +0000433 return opname.strip()
434
435
Georg Brandl281d6ba2010-11-12 08:57:12 +0000436# Support for documenting pdb commands
437
Georg Brandl02053ee2010-07-18 10:11:03 +0000438pdbcmd_sig_re = re.compile(r'([a-z()!]+)\s*(.*)')
439
440# later...
Georg Brandl35903c82014-10-30 22:55:13 +0100441# pdbargs_tokens_re = re.compile(r'''[a-zA-Z]+ | # identifiers
Georg Brandl02053ee2010-07-18 10:11:03 +0000442# [.,:]+ | # punctuation
443# [\[\]()] | # parens
444# \s+ # whitespace
445# ''', re.X)
446
Georg Brandl35903c82014-10-30 22:55:13 +0100447
Georg Brandl02053ee2010-07-18 10:11:03 +0000448def parse_pdb_command(env, sig, signode):
449 """Transform a pdb command signature into RST nodes."""
450 m = pdbcmd_sig_re.match(sig)
451 if m is None:
452 raise ValueError
453 name, args = m.groups()
454 fullname = name.replace('(', '').replace(')', '')
455 signode += addnodes.desc_name(name, name)
456 if args:
457 signode += addnodes.desc_addname(' '+args, ' '+args)
458 return fullname
459
460
Martin v. Löwis5680d0c2008-04-10 03:06:53 +0000461def setup(app):
462 app.add_role('issue', issue_role)
Georg Brandl68818862010-11-06 07:19:35 +0000463 app.add_role('source', source_role)
Georg Brandl495f7b52009-10-27 15:28:25 +0000464 app.add_directive('impl-detail', ImplementationDetail)
Cheryl Sabella2d6097d2018-10-12 10:55:20 -0400465 app.add_directive('availability', Availability)
Steve Dowerb82e17e2019-05-23 08:45:22 -0700466 app.add_directive('audit-event', AuditEvent)
Georg Brandl281d6ba2010-11-12 08:57:12 +0000467 app.add_directive('deprecated-removed', DeprecatedRemoved)
Georg Brandl6b38daa2008-06-01 21:05:17 +0000468 app.add_builder(PydocTopicsBuilder)
Benjamin Peterson28d88b42009-01-09 03:03:23 +0000469 app.add_builder(suspicious.CheckSuspiciousMarkupBuilder)
Stéphane Wirtele385d062018-10-13 08:14:08 +0200470 app.add_object_type('opcode', 'opcode', '%s (opcode)', parse_opcode_signature)
471 app.add_object_type('pdbcommand', 'pdbcmd', '%s (pdb command)', parse_pdb_command)
472 app.add_object_type('2to3fixer', '2to3fixer', '%s (2to3 fixer)')
Georg Brandl8a1caa22010-07-29 16:01:11 +0000473 app.add_directive_to_domain('py', 'decorator', PyDecoratorFunction)
474 app.add_directive_to_domain('py', 'decoratormethod', PyDecoratorMethod)
Victor Stinnerbdd574d2015-02-12 22:49:18 +0100475 app.add_directive_to_domain('py', 'coroutinefunction', PyCoroutineFunction)
476 app.add_directive_to_domain('py', 'coroutinemethod', PyCoroutineMethod)
Yury Selivanov47150392018-09-18 17:55:44 -0400477 app.add_directive_to_domain('py', 'awaitablefunction', PyAwaitableFunction)
478 app.add_directive_to_domain('py', 'awaitablemethod', PyAwaitableMethod)
Berker Peksag6e9d2e62015-12-08 12:14:50 +0200479 app.add_directive_to_domain('py', 'abstractmethod', PyAbstractMethod)
Georg Brandl2cac28b2012-09-30 15:10:06 +0200480 app.add_directive('miscnews', MiscNews)
Georg Brandlbae334c2014-09-30 22:17:41 +0200481 return {'version': '1.0', 'parallel_read_safe': True}