pdoc 14.3.0__py3-none-any.whl → 14.5.0__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- pdoc/__init__.py +22 -9
- pdoc/doc.py +14 -3
- pdoc/doc_ast.py +4 -7
- pdoc/doc_pyi.py +11 -3
- pdoc/doc_types.py +1 -0
- pdoc/docstrings.py +39 -0
- pdoc/extract.py +1 -0
- pdoc/search.py +1 -0
- pdoc/templates/default/module.html.jinja2 +7 -4
- pdoc/templates/math.html.jinja2 +1 -0
- pdoc/web.py +1 -0
- {pdoc-14.3.0.dist-info → pdoc-14.5.0.dist-info}/METADATA +5 -9
- {pdoc-14.3.0.dist-info → pdoc-14.5.0.dist-info}/RECORD +17 -17
- {pdoc-14.3.0.dist-info → pdoc-14.5.0.dist-info}/WHEEL +1 -1
- {pdoc-14.3.0.dist-info → pdoc-14.5.0.dist-info}/LICENSE +0 -0
- {pdoc-14.3.0.dist-info → pdoc-14.5.0.dist-info}/entry_points.txt +0 -0
- {pdoc-14.3.0.dist-info → pdoc-14.5.0.dist-info}/top_level.txt +0 -0
pdoc/__init__.py
CHANGED
@@ -176,18 +176,21 @@ class GoldenRetriever(Dog):
|
|
176
176
|
|
177
177
|
The public interface of a module is determined through one of two
|
178
178
|
ways.
|
179
|
-
|
180
179
|
- If `__all__` is defined in the module, then all identifiers in that list will be considered public.
|
181
180
|
No other identifiers will be considered public.
|
182
|
-
- If `__all__` is not defined, then pdoc will consider all
|
183
|
-
|
184
|
-
|
185
|
-
|
181
|
+
- If `__all__` is not defined, then pdoc will consider all items public that do not start with an
|
182
|
+
underscore and that are defined in the current module (i.e. they are not imported).
|
183
|
+
|
184
|
+
If you want to override the default behavior for a particular item,
|
185
|
+
you can do so by including an annotation in its docstring:
|
186
|
+
|
187
|
+
- `@private` hides an item unconditionally.
|
188
|
+
- <code>@public</code> shows an item unconditionally.
|
186
189
|
|
187
|
-
In general, we recommend keeping
|
190
|
+
In general, we recommend keeping the following conventions:
|
188
191
|
|
189
192
|
- If you want to document a private member, consider making it public.
|
190
|
-
- If you want to hide a public member, consider making it private
|
193
|
+
- If you want to hide a public member, consider making it private.
|
191
194
|
- If you want to document a special `__dunder__` method, the recommended way to do so is
|
192
195
|
to not document the dunder method specifically, but to add some usage examples in the class documentation.
|
193
196
|
|
@@ -280,7 +283,16 @@ You can include external Markdown files in your documentation by using reStructu
|
|
280
283
|
"""
|
281
284
|
```
|
282
285
|
|
283
|
-
|
286
|
+
You can also include only parts of a file with the
|
287
|
+
[`start-line`, `end-line`, `start-after`, and `end-after` options](https://docutils.sourceforge.io/docs/ref/rst/directives.html#including-an-external-document-fragment):
|
288
|
+
|
289
|
+
```python
|
290
|
+
"""
|
291
|
+
.. include:: ../README.md
|
292
|
+
:start-line: 1
|
293
|
+
:end-before: Changelog
|
294
|
+
"""
|
295
|
+
```
|
284
296
|
|
285
297
|
|
286
298
|
## ...add a title page?
|
@@ -459,10 +471,11 @@ to your Python code before pdoc is used.
|
|
459
471
|
It is also possible to create `pdoc.doc.Module` objects directly and modify them before rendering.
|
460
472
|
You can find an example in [`examples/library-usage`](https://github.com/mitmproxy/pdoc/tree/main/examples/library-usage).
|
461
473
|
'''
|
474
|
+
|
462
475
|
from __future__ import annotations
|
463
476
|
|
464
477
|
__docformat__ = "markdown" # explicitly disable rST processing in the examples above.
|
465
|
-
__version__ = "14.
|
478
|
+
__version__ = "14.5.0" # this is read from setup.py
|
466
479
|
|
467
480
|
from pathlib import Path
|
468
481
|
from typing import overload
|
pdoc/doc.py
CHANGED
@@ -15,6 +15,7 @@ All documentation types make heavy use of `@functools.cached_property` decorator
|
|
15
15
|
This means they have a large set of attributes that are lazily computed on first access.
|
16
16
|
By convention, all attributes are read-only, although this is not enforced at runtime.
|
17
17
|
"""
|
18
|
+
|
18
19
|
from __future__ import annotations
|
19
20
|
|
20
21
|
from abc import ABCMeta
|
@@ -887,6 +888,8 @@ class Function(Doc[types.FunctionType]):
|
|
887
888
|
unwrapped = func.__func__ # type: ignore
|
888
889
|
elif isinstance(func, singledispatchmethod):
|
889
890
|
unwrapped = func.func # type: ignore
|
891
|
+
elif hasattr(func, "__wrapped__"):
|
892
|
+
unwrapped = func.__wrapped__
|
890
893
|
else:
|
891
894
|
unwrapped = func
|
892
895
|
super().__init__(modulename, qualname, unwrapped, taken_from)
|
@@ -1028,7 +1031,9 @@ class Variable(Doc[None]):
|
|
1028
1031
|
|
1029
1032
|
kind = "variable"
|
1030
1033
|
|
1031
|
-
default_value:
|
1034
|
+
default_value: (
|
1035
|
+
Any | empty
|
1036
|
+
) # technically Any includes empty, but this conveys intent.
|
1032
1037
|
"""
|
1033
1038
|
The variable's default value.
|
1034
1039
|
|
@@ -1139,7 +1144,7 @@ class Variable(Doc[None]):
|
|
1139
1144
|
warnings.warn(f"repr({self.fullname}) raised an exception ({e!r})")
|
1140
1145
|
return ""
|
1141
1146
|
|
1142
|
-
pretty =
|
1147
|
+
pretty = _remove_memory_addresses(pretty)
|
1143
1148
|
return pretty
|
1144
1149
|
|
1145
1150
|
@cached_property
|
@@ -1180,7 +1185,8 @@ class _PrettySignature(inspect.Signature):
|
|
1180
1185
|
render_pos_only_separator = False
|
1181
1186
|
render_kw_only_separator = True
|
1182
1187
|
for param in self.parameters.values():
|
1183
|
-
formatted =
|
1188
|
+
formatted = str(param)
|
1189
|
+
formatted = _remove_memory_addresses(formatted)
|
1184
1190
|
|
1185
1191
|
kind = param.kind
|
1186
1192
|
|
@@ -1298,3 +1304,8 @@ def _safe_getdoc(obj: Any) -> str:
|
|
1298
1304
|
return ""
|
1299
1305
|
else:
|
1300
1306
|
return doc.strip()
|
1307
|
+
|
1308
|
+
|
1309
|
+
def _remove_memory_addresses(x: str) -> str:
|
1310
|
+
"""Remove memory addresses from repr() output"""
|
1311
|
+
return re.sub(r" at 0x[0-9a-fA-F]+(?=>)", "", x)
|
pdoc/doc_ast.py
CHANGED
@@ -3,6 +3,7 @@ This module handles all interpretation of the *Abstract Syntax Tree (AST)* in pd
|
|
3
3
|
|
4
4
|
Parsing the AST is done to extract docstrings, type annotations, and variable declarations from `__init__`.
|
5
5
|
"""
|
6
|
+
|
6
7
|
from __future__ import annotations
|
7
8
|
|
8
9
|
import ast
|
@@ -32,7 +33,6 @@ if TYPE_CHECKING:
|
|
32
33
|
def get_source(obj: Any) -> str:
|
33
34
|
"""
|
34
35
|
Returns the source code of the Python object `obj` as a str.
|
35
|
-
This tries to first unwrap the method if it is wrapped and then calls `inspect.getsource`.
|
36
36
|
|
37
37
|
If this fails, an empty string is returned.
|
38
38
|
"""
|
@@ -52,18 +52,15 @@ def _get_source(obj: Any) -> str:
|
|
52
52
|
|
53
53
|
|
54
54
|
@overload
|
55
|
-
def parse(obj: types.ModuleType) -> ast.Module:
|
56
|
-
...
|
55
|
+
def parse(obj: types.ModuleType) -> ast.Module: ...
|
57
56
|
|
58
57
|
|
59
58
|
@overload
|
60
|
-
def parse(obj: types.FunctionType) -> ast.FunctionDef | ast.AsyncFunctionDef:
|
61
|
-
...
|
59
|
+
def parse(obj: types.FunctionType) -> ast.FunctionDef | ast.AsyncFunctionDef: ...
|
62
60
|
|
63
61
|
|
64
62
|
@overload
|
65
|
-
def parse(obj: type) -> ast.ClassDef:
|
66
|
-
...
|
63
|
+
def parse(obj: type) -> ast.ClassDef: ...
|
67
64
|
|
68
65
|
|
69
66
|
def parse(obj):
|
pdoc/doc_pyi.py
CHANGED
@@ -3,6 +3,7 @@ This module is responsible for patching `pdoc.doc.Doc` objects with type annotat
|
|
3
3
|
in `.pyi` type stub files ([PEP 561](https://peps.python.org/pep-0561/)).
|
4
4
|
This makes it possible to add type hints for native modules such as modules written using [PyO3](https://pyo3.rs/).
|
5
5
|
"""
|
6
|
+
|
6
7
|
from __future__ import annotations
|
7
8
|
|
8
9
|
from pathlib import Path
|
@@ -25,10 +26,17 @@ def find_stub_file(module_name: str) -> Path | None:
|
|
25
26
|
"""Try to find a .pyi file with type stubs for the given module name."""
|
26
27
|
module_path = module_name.replace(".", "/")
|
27
28
|
|
28
|
-
|
29
|
+
# Find .pyi-file in a PEP 0561 compatible stub-package
|
30
|
+
module_part_name = module_name.split(".")
|
31
|
+
module_part_name[0] = f"{module_part_name[0]}-stubs"
|
32
|
+
module_stub_path = "/".join(module_part_name)
|
33
|
+
|
34
|
+
for search_dir in sys.path:
|
29
35
|
file_candidates = [
|
30
|
-
Path(
|
31
|
-
Path(
|
36
|
+
Path(search_dir) / (module_path + ".pyi"),
|
37
|
+
Path(search_dir) / (module_path + "/__init__.pyi"),
|
38
|
+
Path(search_dir) / (module_stub_path + ".pyi"),
|
39
|
+
Path(search_dir) / (module_stub_path + "/__init__.pyi"),
|
32
40
|
]
|
33
41
|
for f in file_candidates:
|
34
42
|
if f.exists():
|
pdoc/doc_types.py
CHANGED
pdoc/docstrings.py
CHANGED
@@ -10,6 +10,7 @@ If you miss a particular feature for your favorite flavor, contributions are wel
|
|
10
10
|
That being said, please keep the complexity low and make sure that changes are
|
11
11
|
accompanied by matching snapshot tests in `test/testdata/`.
|
12
12
|
"""
|
13
|
+
|
13
14
|
from __future__ import annotations
|
14
15
|
|
15
16
|
import base64
|
@@ -359,6 +360,38 @@ def _rst_links(contents: str) -> str:
|
|
359
360
|
return contents
|
360
361
|
|
361
362
|
|
363
|
+
def _rst_extract_options(contents: str) -> tuple[str, dict[str, str]]:
|
364
|
+
"""
|
365
|
+
Extract options from the beginning of reStructuredText directives.
|
366
|
+
|
367
|
+
Return the trimmed content and a dict of options.
|
368
|
+
"""
|
369
|
+
options = {}
|
370
|
+
while match := re.match(r"^\s*:(.+?):(.*)([\s\S]*)", contents):
|
371
|
+
key, value, contents = match.groups()
|
372
|
+
options[key] = value.strip()
|
373
|
+
|
374
|
+
return contents, options
|
375
|
+
|
376
|
+
|
377
|
+
def _rst_include_trim(contents: str, options: dict[str, str]) -> str:
|
378
|
+
"""
|
379
|
+
<https://docutils.sourceforge.io/docs/ref/rst/directives.html#include-options>
|
380
|
+
"""
|
381
|
+
if "end-line" in options or "start-line" in options:
|
382
|
+
lines = contents.splitlines()
|
383
|
+
if i := options.get("end-line"):
|
384
|
+
lines = lines[: int(i)]
|
385
|
+
if i := options.get("start-line"):
|
386
|
+
lines = lines[int(i) :]
|
387
|
+
contents = "\n".join(lines)
|
388
|
+
if x := options.get("end-before"):
|
389
|
+
contents = contents[: contents.index(x)]
|
390
|
+
if x := options.get("start-after"):
|
391
|
+
contents = contents[contents.index(x) + len(x) :]
|
392
|
+
return contents
|
393
|
+
|
394
|
+
|
362
395
|
def _rst_admonitions(contents: str, source_file: Path | None) -> str:
|
363
396
|
"""
|
364
397
|
Convert reStructuredText admonitions - a bit tricky because they may already be indented themselves.
|
@@ -370,6 +403,7 @@ def _rst_admonitions(contents: str, source_file: Path | None) -> str:
|
|
370
403
|
type = m.group("type")
|
371
404
|
val = m.group("val").strip()
|
372
405
|
contents = dedent(m.group("contents")).strip()
|
406
|
+
contents, options = _rst_extract_options(contents)
|
373
407
|
|
374
408
|
if type == "include":
|
375
409
|
loc = source_file or Path(".")
|
@@ -378,7 +412,12 @@ def _rst_admonitions(contents: str, source_file: Path | None) -> str:
|
|
378
412
|
except OSError as e:
|
379
413
|
warnings.warn(f"Cannot include {val!r}: {e}")
|
380
414
|
included = "\n"
|
415
|
+
try:
|
416
|
+
included = _rst_include_trim(included, options) + "\n"
|
417
|
+
except ValueError as e:
|
418
|
+
warnings.warn(f"Failed to process include options for {val!r}: {e}")
|
381
419
|
included = _rst_admonitions(included, loc.parent / val)
|
420
|
+
included = embed_images(included, loc.parent / val)
|
382
421
|
return indent(included, ind)
|
383
422
|
if type == "math":
|
384
423
|
return f"{ind}$${val}{contents}$$\n"
|
pdoc/extract.py
CHANGED
@@ -3,6 +3,7 @@ This module handles the interaction with Python's module system,
|
|
3
3
|
that is it loads the correct module based on whatever the user specified,
|
4
4
|
and provides the rest of pdoc with some additional module metadata.
|
5
5
|
"""
|
6
|
+
|
6
7
|
from __future__ import annotations
|
7
8
|
|
8
9
|
from collections.abc import Iterable
|
pdoc/search.py
CHANGED
@@ -209,7 +209,7 @@ See https://pdoc.dev/docs/pdoc/render_helpers.html#DefaultMacroExtension for an
|
|
209
209
|
{% enddefaultmacro %}
|
210
210
|
{% defaultmacro docstring(var) %}
|
211
211
|
{% if var.docstring %}
|
212
|
-
<div class="docstring">{{ var.docstring | to_markdown | to_html | linkify(namespace=var.qualname) }}</div>
|
212
|
+
<div class="docstring">{{ var.docstring | replace("@public", "") | to_markdown | to_html | linkify(namespace=var.qualname) }}</div>
|
213
213
|
{% endif %}
|
214
214
|
{% enddefaultmacro %}
|
215
215
|
{% defaultmacro nav_members(members) %}
|
@@ -239,10 +239,13 @@ See https://pdoc.dev/docs/pdoc/render_helpers.html#DefaultMacroExtension for an
|
|
239
239
|
Implementing this as a macro makes it very easy to override with a custom template, see
|
240
240
|
https://github.com/mitmproxy/pdoc/tree/main/examples/custom-template.
|
241
241
|
#}
|
242
|
-
{% if
|
243
|
-
{# hide members that are undocumented if include_undocumented has been toggled off. #}
|
244
|
-
{% elif doc.docstring and "@private" in doc.docstring %}
|
242
|
+
{% if "@private" in doc.docstring %}
|
245
243
|
{# hide members explicitly marked as @private #}
|
244
|
+
{% elif "@public" in doc.docstring %}
|
245
|
+
{# show members explicitly marked as @public #}
|
246
|
+
true
|
247
|
+
{% elif not include_undocumented and not doc.docstring %}
|
248
|
+
{# hide members that are undocumented if include_undocumented has been toggled off. #}
|
246
249
|
{% elif doc.name == "__init__" and (doc.docstring or (doc.kind == "function" and doc.signature_without_self.parameters)) %}
|
247
250
|
{# show constructors that have a docstring or at least one extra argument #}
|
248
251
|
true
|
pdoc/templates/math.html.jinja2
CHANGED
pdoc/web.py
CHANGED
@@ -5,6 +5,7 @@ We want to keep the number of dependencies as small as possible,
|
|
5
5
|
so we are content with the builtin `http.server` module.
|
6
6
|
It is a bit unergonomic compared to let's say flask, but good enough for our purposes.
|
7
7
|
"""
|
8
|
+
|
8
9
|
from __future__ import annotations
|
9
10
|
|
10
11
|
from collections.abc import Iterable
|
@@ -1,6 +1,6 @@
|
|
1
1
|
Metadata-Version: 2.1
|
2
2
|
Name: pdoc
|
3
|
-
Version: 14.
|
3
|
+
Version: 14.5.0
|
4
4
|
Summary: API Documentation for Python Projects
|
5
5
|
Author-email: Maximilian Hils <pdoc@maximilianhils.com>
|
6
6
|
License: Unlicense
|
@@ -25,8 +25,8 @@ Classifier: Typing :: Typed
|
|
25
25
|
Requires-Python: >=3.8
|
26
26
|
Description-Content-Type: text/markdown
|
27
27
|
License-File: LICENSE
|
28
|
-
Requires-Dist: Jinja2
|
29
|
-
Requires-Dist: pygments
|
28
|
+
Requires-Dist: Jinja2 >=2.11.0
|
29
|
+
Requires-Dist: pygments >=2.12.0
|
30
30
|
Requires-Dist: MarkupSafe
|
31
31
|
Requires-Dist: astunparse ; python_version < "3.9"
|
32
32
|
Provides-Extra: dev
|
@@ -38,8 +38,8 @@ Requires-Dist: pytest ; extra == 'dev'
|
|
38
38
|
Requires-Dist: pytest-cov ; extra == 'dev'
|
39
39
|
Requires-Dist: pytest-timeout ; extra == 'dev'
|
40
40
|
Requires-Dist: hypothesis ; extra == 'dev'
|
41
|
-
Requires-Dist: pygments
|
42
|
-
Requires-Dist: pdoc-pyo3-sample-library
|
41
|
+
Requires-Dist: pygments >=2.14.0 ; extra == 'dev'
|
42
|
+
Requires-Dist: pdoc-pyo3-sample-library ==1.0.11 ; extra == 'dev'
|
43
43
|
|
44
44
|
<p align="center">
|
45
45
|
<a href="https://pdoc.dev/"><img alt="pdoc" src="https://pdoc.dev/logo.svg" width="200" height="100" /></a>
|
@@ -109,10 +109,6 @@ As an open source project, pdoc welcomes contributions of all forms.
|
|
109
109
|
|
110
110
|
[](https://github.com/mitmproxy/pdoc/blob/main/CONTRIBUTING.md)
|
111
111
|
|
112
|
-
Also, please feel free to join our developer Slack!
|
113
|
-
|
114
|
-
[](http://slack.mitmproxy.org/)
|
115
|
-
|
116
112
|
|
117
113
|
## pdoc vs. pdoc3
|
118
114
|
|
@@ -1,17 +1,17 @@
|
|
1
|
-
pdoc/__init__.py,sha256=
|
1
|
+
pdoc/__init__.py,sha256=mEtbCmPlDh93hFxFhwoT-35ETJ_IOp1mRYneZ2rcTIk,21176
|
2
2
|
pdoc/__main__.py,sha256=79uLvuQ8eHvU_tzXy4akpKMdDF2DN0xg5VPgv4pmyGo,8418
|
3
3
|
pdoc/_compat.py,sha256=wKGKTxTTxfNjEcKPwvtuvNeOyiozPfL52h8PArKky-0,3843
|
4
|
-
pdoc/doc.py,sha256=
|
5
|
-
pdoc/doc_ast.py,sha256=
|
6
|
-
pdoc/doc_pyi.py,sha256=
|
7
|
-
pdoc/doc_types.py,sha256=
|
8
|
-
pdoc/docstrings.py,sha256=
|
9
|
-
pdoc/extract.py,sha256=
|
4
|
+
pdoc/doc.py,sha256=zmXHLmMBB-evOSXyV6cR-bYfQSI6bBIIwODJQZtT7Pk,48400
|
5
|
+
pdoc/doc_ast.py,sha256=ChAOF7qcuRQbdWnRamH6OUtvvIo-JOVCetPjRnb2a3w,11299
|
6
|
+
pdoc/doc_pyi.py,sha256=TT6vbugw53vDgunegloJONSLRAaeXswqKah1_TVuUwA,4567
|
7
|
+
pdoc/doc_types.py,sha256=mIgMntaw-jCPn_yW2fVTdvkqnWwQys0UKmMTucrdI2w,8468
|
8
|
+
pdoc/docstrings.py,sha256=SiCsv-tMT4cxdhSZOT8xeZhJUtloXEDBuphsnXPLSgs,16400
|
9
|
+
pdoc/extract.py,sha256=6OFHDK7hxn-9b_5SKqQAPd4lXwgWPSDveXS_tqfL_44,14278
|
10
10
|
pdoc/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
11
11
|
pdoc/render.py,sha256=-gbybpZQUJICYABZr4HJLBsX43vsMOl1Vo1FIshz9pU,7054
|
12
12
|
pdoc/render_helpers.py,sha256=clTbaHYpyK2rMvjhUQpdO0bqrjjcAgFkimuJMZ-uCXc,18708
|
13
|
-
pdoc/search.py,sha256=
|
14
|
-
pdoc/web.py,sha256=
|
13
|
+
pdoc/search.py,sha256=RGFaRftEQOg1Mw4FEOmJVRY9DhBncBYSFi5r4MSknTM,7248
|
14
|
+
pdoc/web.py,sha256=F2AvCZr2ucVf9ZlN_SWBO0XpcSKbZTfiN47ypX85zzo,6896
|
15
15
|
pdoc/markdown2/LICENSE,sha256=BfcOT5Iu-7wDaKcbIta8wkP-pFncOu4yXeBlMfbeYGI,1116
|
16
16
|
pdoc/markdown2/README.md,sha256=-b2NGwLPzTBnaCGPSqRCzHxSrqArlXxGG5w0c6pOqFk,200
|
17
17
|
pdoc/markdown2/__init__.py,sha256=d12k9Kr2TnRRz0ga_VH73R5QkW2UjGO_wDzSR6kFJpI,127882
|
@@ -21,7 +21,7 @@ pdoc/templates/content.css,sha256=eBji75EG9DRr8L2NftE3LesQqW4o56_yIt0NXq_cCZY,91
|
|
21
21
|
pdoc/templates/custom.css,sha256=62cn8AmBJiplFJyAKXoZSlVa1s3lNOjkYwDp20pF-ew,106
|
22
22
|
pdoc/templates/layout.css,sha256=xv7AgPtHiazW7S2AtNebRr2BKmOSPmX2wwcejXBRfQ0,4670
|
23
23
|
pdoc/templates/livereload.html.jinja2,sha256=VHbZWN_dBRgBpaRzszvXbbX278-fzbok0JRIOeLep_E,566
|
24
|
-
pdoc/templates/math.html.jinja2,sha256=
|
24
|
+
pdoc/templates/math.html.jinja2,sha256=X_IQ-uPMK4_dxF5szwPZeboetanVWIFgqCNtPAyhLdU,1074
|
25
25
|
pdoc/templates/mermaid.html.jinja2,sha256=cZSmk1Zmec2HaziyEiz2jgmjzQmrG-ZhQISGrhXa1Qc,625
|
26
26
|
pdoc/templates/search.html.jinja2,sha256=6mfYR7S8bI7aprnZFCNvusnji5Zj-QpufaCjSMUQ3Bc,7497
|
27
27
|
pdoc/templates/search.js.jinja2,sha256=pRH-19e80c7Nlu9cKckse4RRruRoYjyiDZscZ3nIdbs,1773
|
@@ -30,7 +30,7 @@ pdoc/templates/theme.css,sha256=yjnbtPVmqaifTINsA5sK2a3e1aoFO0UlOMgOSKUgLvI,397
|
|
30
30
|
pdoc/templates/default/error.html.jinja2,sha256=RqH14o6ZV79uBO14gKSjwObXFKKczkcLTMe1orurEJk,970
|
31
31
|
pdoc/templates/default/frame.html.jinja2,sha256=Qp5zlts8Bl-O2f0cxJHH_QdmAkMtJJjNVA0ZU2Mbwl8,2164
|
32
32
|
pdoc/templates/default/index.html.jinja2,sha256=MkzVYMWUuJgscty3jVbDtcEfB1vz-bp3v_sMa5MzevU,2381
|
33
|
-
pdoc/templates/default/module.html.jinja2,sha256=
|
33
|
+
pdoc/templates/default/module.html.jinja2,sha256=8IfopEB0v7b24EmNGYbuUSO4zpXmRj0-_YL1YtWB7lE,13241
|
34
34
|
pdoc/templates/deprecated/README.md,sha256=8HPj4Bu6EPAdHbH5CQVYgcD580zpkhqbwiSFoLAVB1Q,339
|
35
35
|
pdoc/templates/deprecated/bootstrap-reboot.min.css,sha256=-u1DTWljwtvjAc8X-ihFhIixKaPcs4w_uZ_CYvvP9-o,207
|
36
36
|
pdoc/templates/deprecated/box-arrow-in-left.svg,sha256=-u1DTWljwtvjAc8X-ihFhIixKaPcs4w_uZ_CYvvP9-o,207
|
@@ -47,9 +47,9 @@ pdoc/templates/resources/info-circle-fill.svg,sha256=kO3AMXfWtacpJPzC8Pvihf46OZd
|
|
47
47
|
pdoc/templates/resources/lightning-fill.svg,sha256=XEyCtbgxeAlwCezdsf7N0NFd5aMjwqyJJDpaFbYYTFA,265
|
48
48
|
pdoc/templates/resources/navtoggle.svg,sha256=WVR0BJIucX0MgwwEawmfX0qYD1i_dSbUhoGnqPef3jw,187
|
49
49
|
pdoc/templates/resources/pdoc-logo.svg,sha256=w5OsMmytDaA2Fr9CobeQQFxBNx4-wFFHtLvkORj0gjk,6989
|
50
|
-
pdoc-14.
|
51
|
-
pdoc-14.
|
52
|
-
pdoc-14.
|
53
|
-
pdoc-14.
|
54
|
-
pdoc-14.
|
55
|
-
pdoc-14.
|
50
|
+
pdoc-14.5.0.dist-info/LICENSE,sha256=fhLl30uuEsshWBuhV87SDhmGoFCN0Q0Oikq5pM-U6Fw,1211
|
51
|
+
pdoc-14.5.0.dist-info/METADATA,sha256=KPzx15_WO3Z09NVzuOLl8DkC_l70bi-K0RmnZz-zM24,7289
|
52
|
+
pdoc-14.5.0.dist-info/WHEEL,sha256=oiQVh_5PnQM0E3gPdiz09WCNmwiHDMaGer_elqB3coM,92
|
53
|
+
pdoc-14.5.0.dist-info/entry_points.txt,sha256=-bK-S1ZvmqCWqi1hGnsl5nayWkzXB1BEs-Cynh5QZaI,43
|
54
|
+
pdoc-14.5.0.dist-info/top_level.txt,sha256=rg5eIToBHzwTfZZi1E7NVHgie5joQuSuU1rWV0qKS9k,5
|
55
|
+
pdoc-14.5.0.dist-info/RECORD,,
|
File without changes
|
File without changes
|
File without changes
|