-
-
Notifications
You must be signed in to change notification settings - Fork 30
/
Copy pathprocess_links.py
266 lines (212 loc) · 8.8 KB
/
process_links.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
# This scripts provides formatting for signature and docstrings to create links
# Links are not rendered in signatures: https://github.com/sphinx-doc/sphinx/issues/1059
# Also, sadly we cannot use existing extension autodoc-auto-typehints
# since __annotations__ are not filled in QGIS API, obviously because of SIP
#
# This logic has been copied from the existing extension with some tuning for PyQGIS
import enum
import re
import yaml
with open("pyqgis_conf.yml") as f:
cfg = yaml.safe_load(f)
from sphinx.ext.autodoc import AttributeDocumenter, Documenter
old_get_doc = Documenter.get_doc
def new_get_doc(self) -> list[list[str]] | None:
try:
if self.object_name in self.parent.__attribute_docs__:
docs = self.parent.__attribute_docs__[self.object_name]
return [docs.split("\n")]
except AttributeError:
pass
return old_get_doc(self)
Documenter.get_doc = new_get_doc
old_attribute_get_doc = AttributeDocumenter.get_doc
parent_obj = None
def new_attribute_get_doc(self):
# we need to make self.parent accessible to process_docstring -- this
# is a hacky approach to store it temporarily in a global. Sorry!
global parent_obj
try:
if self.object_name in self.parent.__attribute_docs__:
parent_obj = self.parent
docs = self.parent.__attribute_docs__[self.object_name]
return [docs.split("\n")]
except AttributeError:
pass
return old_attribute_get_doc(self)
AttributeDocumenter.get_doc = new_attribute_get_doc
old_format_signature = Documenter.format_signature
def new_format_signature(self, **kwargs) -> str:
"""
Monkey patch signature formatting to retrieve signature for
signals, which are actually attributes and so don't have a real
signature available!
"""
try:
if self.object_name in self.parent.__signal_arguments__:
args = self.parent.__signal_arguments__[self.object_name]
args = f'({", ".join(args)})'
retann = None
result = self.env.events.emit_firstresult(
"autodoc-process-signature",
self.objtype,
self.fullname,
self.object,
self.options,
args,
retann,
)
if result:
args, retann = result
if args:
return args
else:
return ""
except AttributeError:
pass
return old_format_signature(self, **kwargs)
Documenter.format_signature = new_format_signature
# https://github.com/sphinx-doc/sphinx/blob/685e3fdb49c42b464e09ec955e1033e2a8729fff/sphinx/ext/autodoc/__init__.py#L51
# adapted to handle signals
# https://regex101.com/r/lSB3rK/2/
py_ext_sig_re = re.compile(
r"""^ ([\w.]+::)? # explicit module name
([\w.]+\.)? # module and/or class name(s)
(\w+) \s* # thing name
(?: \((.*)\) # optional: arguments
(?:\s* -> \s* ([\w.]+(?:\[.*?\])?))? # return annotation
(?:\s* \[(signal)\])? # is signal
)? $ # and nothing more
""",
re.VERBOSE,
)
def create_links(doc: str) -> str:
# fix inheritance
doc = re.sub(r"qgis\._(core|gui|analysis|processing)\.", r"", doc)
# class
doc = re.sub(r"\b(Qgi?s[A-Z]\w+)([, )]|\. )", r":py:class:`.\1`\2", doc)
return doc
def process_docstring(app, what, name, obj, options, lines):
if what == "class":
# hacky approach to detect nested classes, eg QgsCallout.QgsCalloutContext
is_nested = len(name.split(".")) > 3
if not is_nested:
# remove docstring part, we've already included it in the page header
# only leave the __init__ methods
init_idx = 0
class_name = name.split(".")[-1]
for init_idx, line in enumerate(lines):
if re.match(rf"^{class_name}\(", line):
break
lines[:] = lines[init_idx:]
lines_out = []
# loop through remaining lines, which are the constructors. Format
# these up so they look like proper __init__ method documentation
for i, line in enumerate(lines):
if re.match(rf"^{class_name}\(", line):
lines_out.append(
re.sub(rf"\b{class_name}\(", ".. py:method:: __init__(", line)
)
lines_out.append(" :noindex:")
lines_out.append("")
else:
lines_out.append(" " + line)
lines[:] = lines_out[:]
return
in_code_block = False
for i in range(len(lines)):
# fix seealso
# lines[i] = re.sub(r':py: func:`(\w+\(\))`', r':func:`.{}.\1()'.format(what), lines[i])
if lines[i].startswith(".. code-block"):
in_code_block = True
elif not lines[i] and i < len(lines) - 1 and not lines[i + 1]:
in_code_block = False
if not in_code_block:
lines[i] = create_links(lines[i])
def inject_args(_args, _lines):
for arg in _args:
try:
argname, hint = arg.split(": ")
except ValueError:
continue
searchfor = f":param {argname}:"
insert_index = None
for i, line in enumerate(_lines):
if line.startswith(searchfor):
insert_index = i
break
if insert_index is None:
_lines.append(searchfor)
insert_index = len(_lines)
if insert_index is not None:
_lines.insert(insert_index, f":type {argname}: {create_links(hint)}")
if what == "attribute":
global parent_obj
try:
args = parent_obj.__signal_arguments__.get(name.split(".")[-1], [])
inject_args(args, lines)
except AttributeError:
pass
# add return type and param type
elif what != "class" and not isinstance(obj, enum.EnumMeta) and obj.__doc__:
# default to taking the signature from the lines we've already processed.
# This is because we want the output processed earlier via the
# OverloadedPythonMethodDocumenter class, so that we are only
# looking at the docs relevant to the specific overload we are
# currently processing
signature = None
match = None
if lines:
signature = lines[0]
if signature:
match = py_ext_sig_re.match(signature)
if match:
del lines[0]
if match is None:
signature = obj.__doc__.split("\n")[0]
if signature == "":
return
match = py_ext_sig_re.match(signature)
if match is None:
if name not in cfg["non-instantiable"]:
raise Warning(f"invalid signature for {name}: {signature}")
else:
exmod, path, base, args, retann, signal = match.groups()
if args:
args = args.split(", ")
inject_args(args, lines)
if retann:
insert_index = len(lines)
for i, line in enumerate(lines):
if line.startswith(":rtype:"):
insert_index = None
break
elif line.startswith(":return:") or line.startswith(":returns:"):
insert_index = i
if insert_index is not None:
if insert_index == len(lines):
# Ensure that :rtype: doesn't get joined with a paragraph of text, which
# prevents it being interpreted.
lines.append("")
insert_index += 1
lines.insert(insert_index, f":rtype: {create_links(retann)}")
def process_signature(app, what, name, obj, options, signature, return_annotation):
# we cannot render links in signature for the moment, so do nothing
# https://github.com/sphinx-doc/sphinx/issues/1059
return signature, return_annotation
def skip_member(app, what, name, obj, skip, options):
# skip monkey patched enums (base classes are different)
if name == "staticMetaObject":
return True
if name == "baseClass":
return True
if hasattr(obj, "is_monkey_patched") and obj.is_monkey_patched:
# print(f"skipping monkey patched enum {name}")
return True
return skip
def process_bases(app, name, obj, option, bases: list) -> None:
"""Here we fine tune how the base class's classes are displayed."""
for i, base in enumerate(bases):
# replace 'sip.wrapper' base class with 'object'
if base.__name__ == "wrapper":
bases[i] = object