├── .devcontainer.json ├── .github └── workflows │ ├── main.yml.off │ └── release.yml ├── .gitignore ├── LICENSE ├── MANIFEST.in ├── Makefile ├── README.md ├── TODO.md ├── _nbdev.py ├── action.sh ├── all_actions.sh ├── docker-compose.yml ├── mk_index.py ├── nbdev_apl ├── __init__.py ├── _modidx.py └── _nbdev.py ├── nbdev_django ├── __init__.py ├── _modidx.py └── _nbdev.py ├── nbdev_numpy ├── __init__.py ├── _modidx.py └── _nbdev.py ├── nbdev_pandas ├── __init__.py ├── _modidx.py └── _nbdev.py ├── nbdev_pytorch ├── __init__.py ├── _modidx.py └── _nbdev.py ├── nbdev_scipy ├── __init__.py ├── _modidx.py └── _nbdev.py ├── nbdev_sphinx ├── __init__.py ├── _modidx.py └── _nbdev.py ├── nbdev_stdlib ├── __init__.py ├── _modidx.py └── _nbdev.py ├── settings-apl.ini ├── settings-django.ini ├── settings-numpy.ini ├── settings-pandas.ini ├── settings-pytorch.ini ├── settings-scipy.ini ├── settings-sphinx.ini ├── settings-stdlib.ini ├── setup.py └── tools └── mk_pymd.py /.devcontainer.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "nbdev_template-codespaces", 3 | "dockerComposeFile": "docker-compose.yml", 4 | "service": "watcher", 5 | "settings": {"terminal.integrated.shell.linux": "/bin/bash"}, 6 | "mounts": [ "source=/var/run/docker.sock,target=/var/run/docker.sock,type=bind" ], 7 | "forwardPorts": [4000, 8080], 8 | "appPort": [4000, 8080], 9 | "extensions": ["ms-python.python", 10 | "ms-azuretools.vscode-docker"], 11 | "runServices": ["notebook", "jekyll", "watcher"], 12 | "postStartCommand": "pip install -e ." 13 | } 14 | -------------------------------------------------------------------------------- /.github/workflows/main.yml.off: -------------------------------------------------------------------------------- 1 | name: CI 2 | on: [push, pull_request] 3 | jobs: 4 | build: 5 | runs-on: ubuntu-latest 6 | steps: 7 | - uses: actions/checkout@v1 8 | - uses: actions/setup-python@v1 9 | with: 10 | python-version: '3.6' 11 | architecture: 'x64' 12 | - name: Install the library 13 | run: | 14 | pip install nbdev jupyter 15 | pip install -e . 16 | - name: Read all notebooks 17 | run: | 18 | nbdev_read_nbs 19 | - name: Check if all notebooks are cleaned 20 | run: | 21 | echo "Check we are starting with clean git checkout" 22 | if [ -n "$(git status -uno -s)" ]; then echo "git status is not clean"; false; fi 23 | echo "Trying to strip out notebooks" 24 | nbdev_clean_nbs 25 | echo "Check that strip out was unnecessary" 26 | git status -s # display the status to see which nbs need cleaning up 27 | if [ -n "$(git status -uno -s)" ]; then echo -e "!!! Detected unstripped out notebooks\n!!!Remember to run nbdev_install_git_hooks"; false; fi 28 | - name: Check if there is no diff library/notebooks 29 | run: | 30 | if [ -n "$(nbdev_diff_nbs)" ]; then echo -e "!!! Detected difference between the notebooks and the library"; false; fi 31 | - name: Run tests 32 | run: | 33 | nbdev_test_nbs 34 | -------------------------------------------------------------------------------- /.github/workflows/release.yml: -------------------------------------------------------------------------------- 1 | name: release 2 | on: 3 | schedule: 4 | - cron: '00 01,13 * * *' 5 | workflow_dispatch: 6 | 7 | env: 8 | TWINE_PASSWORD: ${{ secrets.PYPI_PASS }} 9 | TWINE_USERNAME: __token__ 10 | ANACONDA_API_TOKEN: ${{ secrets.ANACONDA_TOKEN }} 11 | 12 | jobs: 13 | release: 14 | defaults: 15 | run: 16 | shell: bash -l {0} 17 | runs-on: ubuntu-latest 18 | steps: 19 | - name: Check required secrets 20 | run: | 21 | [[ -n "$TWINE_PASSWORD" ]] || { echo "Error: PYPI_PASS secret not set"; exit 1; } 22 | [[ -n "$ANACONDA_API_TOKEN" ]] || { echo "Error: ANACONDA_TOKEN secret not set"; exit 1; } 23 | - uses: actions/checkout@v4 24 | - name: setup conda 25 | uses: conda-incubator/setup-miniconda@v3 26 | with: 27 | python-version: "3.10" 28 | miniforge-version: latest 29 | - name: install dependencies 30 | run: | 31 | conda install -qy anaconda-client conda-build wheel setuptools boa mamba 32 | pip install -Uqq twine sphinx fastcore pip wheel fastrelease nbdev 33 | - name: parse data & release if appropriate 34 | run: bash all_actions.sh all 35 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | token 2 | conda/ 3 | *.bak 4 | .gitattributes 5 | .last_checked 6 | .gitconfig 7 | *.bak 8 | *.log 9 | *~ 10 | ~* 11 | _tmp* 12 | tmp* 13 | tags 14 | 15 | # Byte-compiled / optimized / DLL files 16 | __pycache__/ 17 | *.py[cod] 18 | *$py.class 19 | 20 | # C extensions 21 | *.so 22 | 23 | # Distribution / packaging 24 | .Python 25 | env/ 26 | build/ 27 | develop-eggs/ 28 | dist/ 29 | downloads/ 30 | eggs/ 31 | .eggs/ 32 | lib/ 33 | lib64/ 34 | parts/ 35 | sdist/ 36 | var/ 37 | wheels/ 38 | *.egg-info/ 39 | .installed.cfg 40 | *.egg 41 | 42 | # PyInstaller 43 | # Usually these files are written by a python script from a template 44 | # before PyInstaller builds the exe, so as to inject date/other infos into it. 45 | *.manifest 46 | *.spec 47 | 48 | # Installer logs 49 | pip-log.txt 50 | pip-delete-this-directory.txt 51 | 52 | # Unit test / coverage reports 53 | htmlcov/ 54 | .tox/ 55 | .coverage 56 | .coverage.* 57 | .cache 58 | nosetests.xml 59 | coverage.xml 60 | *.cover 61 | .hypothesis/ 62 | 63 | # Translations 64 | *.mo 65 | *.pot 66 | 67 | # Django stuff: 68 | *.log 69 | local_settings.py 70 | 71 | # Flask stuff: 72 | instance/ 73 | .webassets-cache 74 | 75 | # Scrapy stuff: 76 | .scrapy 77 | 78 | # Sphinx documentation 79 | docs/_build/ 80 | 81 | # PyBuilder 82 | target/ 83 | 84 | # Jupyter Notebook 85 | .ipynb_checkpoints 86 | 87 | # pyenv 88 | .python-version 89 | 90 | # celery beat schedule file 91 | celerybeat-schedule 92 | 93 | # SageMath parsed files 94 | *.sage.py 95 | 96 | # dotenv 97 | .env 98 | 99 | # virtualenv 100 | .venv 101 | venv/ 102 | ENV/ 103 | 104 | # Spyder project settings 105 | .spyderproject 106 | .spyproject 107 | 108 | # Rope project settings 109 | .ropeproject 110 | 111 | # mkdocs documentation 112 | /site 113 | 114 | # mypy 115 | .mypy_cache/ 116 | 117 | .vscode 118 | *.swp 119 | 120 | # osx generated files 121 | .DS_Store 122 | .DS_Store? 123 | .Trashes 124 | ehthumbs.db 125 | Thumbs.db 126 | .idea 127 | 128 | # pytest 129 | .pytest_cache 130 | 131 | # tools/trust-doc-nbs 132 | docs_src/.last_checked 133 | 134 | # symlinks to fastai 135 | docs_src/fastai 136 | tools/fastai 137 | 138 | # link checker 139 | checklink/cookies.txt 140 | 141 | # .gitconfig is now autogenerated 142 | .gitconfig 143 | 144 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Apache License 2 | Version 2.0, January 2004 3 | http://www.apache.org/licenses/ 4 | 5 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 6 | 7 | 1. Definitions. 8 | 9 | "License" shall mean the terms and conditions for use, reproduction, 10 | and distribution as defined by Sections 1 through 9 of this document. 11 | 12 | "Licensor" shall mean the copyright owner or entity authorized by 13 | the copyright owner that is granting the License. 14 | 15 | "Legal Entity" shall mean the union of the acting entity and all 16 | other entities that control, are controlled by, or are under common 17 | control with that entity. For the purposes of this definition, 18 | "control" means (i) the power, direct or indirect, to cause the 19 | direction or management of such entity, whether by contract or 20 | otherwise, or (ii) ownership of fifty percent (50%) or more of the 21 | outstanding shares, or (iii) beneficial ownership of such entity. 22 | 23 | "You" (or "Your") shall mean an individual or Legal Entity 24 | exercising permissions granted by this License. 25 | 26 | "Source" form shall mean the preferred form for making modifications, 27 | including but not limited to software source code, documentation 28 | source, and configuration files. 29 | 30 | "Object" form shall mean any form resulting from mechanical 31 | transformation or translation of a Source form, including but 32 | not limited to compiled object code, generated documentation, 33 | and conversions to other media types. 34 | 35 | "Work" shall mean the work of authorship, whether in Source or 36 | Object form, made available under the License, as indicated by a 37 | copyright notice that is included in or attached to the work 38 | (an example is provided in the Appendix below). 39 | 40 | "Derivative Works" shall mean any work, whether in Source or Object 41 | form, that is based on (or derived from) the Work and for which the 42 | editorial revisions, annotations, elaborations, or other modifications 43 | represent, as a whole, an original work of authorship. For the purposes 44 | of this License, Derivative Works shall not include works that remain 45 | separable from, or merely link (or bind by name) to the interfaces of, 46 | the Work and Derivative Works thereof. 47 | 48 | "Contribution" shall mean any work of authorship, including 49 | the original version of the Work and any modifications or additions 50 | to that Work or Derivative Works thereof, that is intentionally 51 | submitted to Licensor for inclusion in the Work by the copyright owner 52 | or by an individual or Legal Entity authorized to submit on behalf of 53 | the copyright owner. For the purposes of this definition, "submitted" 54 | means any form of electronic, verbal, or written communication sent 55 | to the Licensor or its representatives, including but not limited to 56 | communication on electronic mailing lists, source code control systems, 57 | and issue tracking systems that are managed by, or on behalf of, the 58 | Licensor for the purpose of discussing and improving the Work, but 59 | excluding communication that is conspicuously marked or otherwise 60 | designated in writing by the copyright owner as "Not a Contribution." 61 | 62 | "Contributor" shall mean Licensor and any individual or Legal Entity 63 | on behalf of whom a Contribution has been received by Licensor and 64 | subsequently incorporated within the Work. 65 | 66 | 2. Grant of Copyright License. Subject to the terms and conditions of 67 | this License, each Contributor hereby grants to You a perpetual, 68 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 69 | copyright license to reproduce, prepare Derivative Works of, 70 | publicly display, publicly perform, sublicense, and distribute the 71 | Work and such Derivative Works in Source or Object form. 72 | 73 | 3. Grant of Patent License. Subject to the terms and conditions of 74 | this License, each Contributor hereby grants to You a perpetual, 75 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 76 | (except as stated in this section) patent license to make, have made, 77 | use, offer to sell, sell, import, and otherwise transfer the Work, 78 | where such license applies only to those patent claims licensable 79 | by such Contributor that are necessarily infringed by their 80 | Contribution(s) alone or by combination of their Contribution(s) 81 | with the Work to which such Contribution(s) was submitted. If You 82 | institute patent litigation against any entity (including a 83 | cross-claim or counterclaim in a lawsuit) alleging that the Work 84 | or a Contribution incorporated within the Work constitutes direct 85 | or contributory patent infringement, then any patent licenses 86 | granted to You under this License for that Work shall terminate 87 | as of the date such litigation is filed. 88 | 89 | 4. Redistribution. You may reproduce and distribute copies of the 90 | Work or Derivative Works thereof in any medium, with or without 91 | modifications, and in Source or Object form, provided that You 92 | meet the following conditions: 93 | 94 | (a) You must give any other recipients of the Work or 95 | Derivative Works a copy of this License; and 96 | 97 | (b) You must cause any modified files to carry prominent notices 98 | stating that You changed the files; and 99 | 100 | (c) You must retain, in the Source form of any Derivative Works 101 | that You distribute, all copyright, patent, trademark, and 102 | attribution notices from the Source form of the Work, 103 | excluding those notices that do not pertain to any part of 104 | the Derivative Works; and 105 | 106 | (d) If the Work includes a "NOTICE" text file as part of its 107 | distribution, then any Derivative Works that You distribute must 108 | include a readable copy of the attribution notices contained 109 | within such NOTICE file, excluding those notices that do not 110 | pertain to any part of the Derivative Works, in at least one 111 | of the following places: within a NOTICE text file distributed 112 | as part of the Derivative Works; within the Source form or 113 | documentation, if provided along with the Derivative Works; or, 114 | within a display generated by the Derivative Works, if and 115 | wherever such third-party notices normally appear. The contents 116 | of the NOTICE file are for informational purposes only and 117 | do not modify the License. You may add Your own attribution 118 | notices within Derivative Works that You distribute, alongside 119 | or as an addendum to the NOTICE text from the Work, provided 120 | that such additional attribution notices cannot be construed 121 | as modifying the License. 122 | 123 | You may add Your own copyright statement to Your modifications and 124 | may provide additional or different license terms and conditions 125 | for use, reproduction, or distribution of Your modifications, or 126 | for any such Derivative Works as a whole, provided Your use, 127 | reproduction, and distribution of the Work otherwise complies with 128 | the conditions stated in this License. 129 | 130 | 5. Submission of Contributions. Unless You explicitly state otherwise, 131 | any Contribution intentionally submitted for inclusion in the Work 132 | by You to the Licensor shall be under the terms and conditions of 133 | this License, without any additional terms or conditions. 134 | Notwithstanding the above, nothing herein shall supersede or modify 135 | the terms of any separate license agreement you may have executed 136 | with Licensor regarding such Contributions. 137 | 138 | 6. Trademarks. This License does not grant permission to use the trade 139 | names, trademarks, service marks, or product names of the Licensor, 140 | except as required for reasonable and customary use in describing the 141 | origin of the Work and reproducing the content of the NOTICE file. 142 | 143 | 7. Disclaimer of Warranty. Unless required by applicable law or 144 | agreed to in writing, Licensor provides the Work (and each 145 | Contributor provides its Contributions) on an "AS IS" BASIS, 146 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or 147 | implied, including, without limitation, any warranties or conditions 148 | of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A 149 | PARTICULAR PURPOSE. You are solely responsible for determining the 150 | appropriateness of using or redistributing the Work and assume any 151 | risks associated with Your exercise of permissions under this License. 152 | 153 | 8. Limitation of Liability. In no event and under no legal theory, 154 | whether in tort (including negligence), contract, or otherwise, 155 | unless required by applicable law (such as deliberate and grossly 156 | negligent acts) or agreed to in writing, shall any Contributor be 157 | liable to You for damages, including any direct, indirect, special, 158 | incidental, or consequential damages of any character arising as a 159 | result of this License or out of the use or inability to use the 160 | Work (including but not limited to damages for loss of goodwill, 161 | work stoppage, computer failure or malfunction, or any and all 162 | other commercial damages or losses), even if such Contributor 163 | has been advised of the possibility of such damages. 164 | 165 | 9. Accepting Warranty or Additional Liability. While redistributing 166 | the Work or Derivative Works thereof, You may choose to offer, 167 | and charge a fee for, acceptance of support, warranty, indemnity, 168 | or other liability obligations and/or rights consistent with this 169 | License. However, in accepting such obligations, You may act only 170 | on Your own behalf and on Your sole responsibility, not on behalf 171 | of any other Contributor, and only if You agree to indemnify, 172 | defend, and hold each Contributor harmless for any liability 173 | incurred by, or claims asserted against, such Contributor by reason 174 | of your accepting any such warranty or additional liability. 175 | 176 | END OF TERMS AND CONDITIONS 177 | 178 | APPENDIX: How to apply the Apache License to your work. 179 | 180 | To apply the Apache License to your work, attach the following 181 | boilerplate notice, with the fields enclosed by brackets "[]" 182 | replaced with your own identifying information. (Don't include 183 | the brackets!) The text should be enclosed in the appropriate 184 | comment syntax for the file format. We also recommend that a 185 | file or class name and description of purpose be included on the 186 | same "printed page" as the copyright notice for easier 187 | identification within third-party archives. 188 | 189 | Copyright [yyyy] [name of copyright owner] 190 | 191 | Licensed under the Apache License, Version 2.0 (the "License"); 192 | you may not use this file except in compliance with the License. 193 | You may obtain a copy of the License at 194 | 195 | http://www.apache.org/licenses/LICENSE-2.0 196 | 197 | Unless required by applicable law or agreed to in writing, software 198 | distributed under the License is distributed on an "AS IS" BASIS, 199 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 200 | See the License for the specific language governing permissions and 201 | limitations under the License. 202 | -------------------------------------------------------------------------------- /MANIFEST.in: -------------------------------------------------------------------------------- 1 | include settings.ini 2 | include LICENSE 3 | include CONTRIBUTING.md 4 | include README.md 5 | recursive-exclude * __pycache__ 6 | -------------------------------------------------------------------------------- /Makefile: -------------------------------------------------------------------------------- 1 | .ONESHELL: 2 | SHELL := /bin/bash 3 | 4 | SRC = $(wildcard nbs/*.ipynb) 5 | 6 | release: pypi 7 | sleep 5 8 | nbdev_bump_version 9 | 10 | pypi: dist 11 | twine upload --repository pypi dist/* 12 | 13 | dist: clean 14 | python setup.py sdist bdist_wheel 15 | 16 | clean: 17 | rm -rf dist 18 | 19 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # nbdev-index 2 | 3 | nbdev docs lookup for the python standard library, scipy, pandas, numpy, django, pytorch, sphinx, and APL. 4 | -------------------------------------------------------------------------------- /TODO.md: -------------------------------------------------------------------------------- 1 | 2 | -------------------------------------------------------------------------------- /_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /action.sh: -------------------------------------------------------------------------------- 1 | #!/bin/bash 2 | set -eo pipefail 3 | 4 | python mk_index.py $1 5 | dir=nbdev_$1 6 | 7 | if [[ "$2" == 'all' ]] || ! git diff --quiet $dir/_modidx.py; then 8 | echo "Updating index for $1" 9 | name="github-actions[bot]" 10 | [[ -z $(git config --get user.email) ]] && git config --global user.email "$name@users.noreply.github.com" 11 | [[ -z $(git config --get user.name) ]] && git config --global user.name "$name" 12 | cp settings-$1.ini settings.ini 13 | rm -rf dist build 14 | cp _nbdev.py $dir/ 15 | touch $dir/__init__.py 16 | python setup.py sdist bdist_wheel 17 | twine upload --repository pypi dist/* || echo "Failed to upload to pypi" 18 | sleep 1 19 | fastrelease_bump_version 20 | mv settings.ini settings-$1.ini 21 | git add $dir/_modidx.py settings-$1.ini 22 | git commit -m "Updating index for $1" 23 | git push 24 | fi 25 | 26 | -------------------------------------------------------------------------------- /all_actions.sh: -------------------------------------------------------------------------------- 1 | #!/usr/bin/env bash 2 | 3 | for i in stdlib numpy pandas pytorch scipy sphinx django apl 4 | do 5 | ./action.sh $i $1 6 | done 7 | 8 | -------------------------------------------------------------------------------- /docker-compose.yml: -------------------------------------------------------------------------------- 1 | version: "3" 2 | services: 3 | fastai: &fastai 4 | restart: unless-stopped 5 | working_dir: /data 6 | image: fastai/codespaces 7 | logging: 8 | driver: json-file 9 | options: 10 | max-size: 50m 11 | stdin_open: true 12 | tty: true 13 | volumes: 14 | - .:/data/ 15 | 16 | notebook: 17 | <<: *fastai 18 | command: bash -c "pip install -e . && jupyter notebook --allow-root --no-browser --ip=0.0.0.0 --port=8080 --NotebookApp.token='' --NotebookApp.password=''" 19 | ports: 20 | - "8080:8080" 21 | 22 | watcher: 23 | <<: *fastai 24 | command: watchmedo shell-command --command nbdev_build_docs --pattern *.ipynb --recursive --drop 25 | network_mode: host # for GitHub Codespaces https://github.com/features/codespaces/ 26 | 27 | jekyll: 28 | <<: *fastai 29 | ports: 30 | - "4000:4000" 31 | command: > 32 | bash -c "cp -r docs_src docs 33 | && pip install . 34 | && nbdev_build_docs && cd docs 35 | && bundle i 36 | && chmod -R u+rwx . && bundle exec jekyll serve --host 0.0.0.0" 37 | -------------------------------------------------------------------------------- /mk_index.py: -------------------------------------------------------------------------------- 1 | #!/usr/bin/env python 2 | 3 | from pprint import pprint 4 | from io import BytesIO 5 | from sphinx.util.inventory import InventoryFile 6 | from urllib.parse import urljoin 7 | from collections import defaultdict 8 | from pathlib import Path 9 | from nbdev.doclinks import create_index 10 | from fastcore.all import * 11 | 12 | mappings = dict( 13 | stdlib='https://docs.python.org/3', 14 | 15 | numpy='https://numpy.org/doc/stable', 16 | scipy='https://docs.scipy.org/doc/scipy/reference', 17 | sympy='https://docs.sympy.org/latest', 18 | matplotlib='https://matplotlib.org', 19 | pandas='https://pandas.pydata.org/docs', 20 | h5py='https://docs.h5py.org/en/latest', 21 | pandasdatareader='https://pandas-datareader.readthedocs.io/en/latest', 22 | # https://github.com/scikit-learn-contrib/sklearn-pandas 23 | # https://github.com/astanin/python-tabulate 24 | # https://github.com/Kaggle/docker-python 25 | altair='https://altair-viz.github.io', 26 | pytorch='https://pytorch.org/docs/stable', 27 | cudf='https://docs.rapids.ai/api/cudf/stable', 28 | # https://github.com/pola-rs/polars-book#status-of-the-code-snippets 29 | arrow='https://arrow.apache.org/docs', 30 | dask='https://docs.dask.org/en/stable', 31 | daskml='https://ml.dask.org', 32 | daskdistributed='https://distributed.dask.org/en/stable', 33 | # daskjobqueue='https://jobqueue.dask.org/en/latest' 34 | # daskcloudprovider='https://cloudprovider.dask.org/en/latest', 35 | sklearn='https://scikit-learn.org/stable', 36 | yellowbrick='https://www.scikit-yb.org/en/latest', 37 | featuretools='https://featuretools.alteryx.com/en/stable', 38 | 39 | sphinx='https://www.sphinx-doc.org/en/stable', 40 | attrs='https://www.attrs.org/en/stable', 41 | sarge='https://sarge.readthedocs.io/en/latest', 42 | django='https://django.readthedocs.org/en/latest', 43 | jinja2='https://jinja.readthedocs.org/en/latest', 44 | pytest='https://docs.pytest.org/en/stable', 45 | 46 | linux='https://docs.kernel.org/', 47 | ) 48 | 49 | @call_parse 50 | def make_index( 51 | nm: str # Name of library to index 52 | ): 53 | "Make index for `nm`" 54 | url = mappings.get(nm) 55 | print(nm, url) 56 | if not url: return 57 | syms = create_index(url) 58 | lib_path = Path(f"nbdev_{nm}") 59 | lib_path.mkdir(exist_ok=True) 60 | with (lib_path/'_modidx.py').open('w') as f: 61 | f.write("# Autogenerated by get_module_idx.py\n\nd = ") 62 | d = dict(syms=dict(syms), settings={'lib_path':lib_path.name}) 63 | pprint(d, f, width=160, indent=2, compact=True) 64 | -------------------------------------------------------------------------------- /nbdev_apl/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/AnswerDotAI/nbdev-index/c2f65e506a7cf9e08dcd81f171a5b078a5d5fc49/nbdev_apl/__init__.py -------------------------------------------------------------------------------- /nbdev_apl/_modidx.py: -------------------------------------------------------------------------------- 1 | # Autogenerated by get_module_idx.py 2 | 3 | d = { 'settings': {'lib_path': 'nbdev_apl'}, 4 | 'syms': {'primitive_functions': {'+': 'https://help.dyalog.com/18.2/#Language/Symbols/Plus Sign.htm', 5 | '-': 'https://help.dyalog.com/18.2/#Language/Symbols/Minus Sign.htm', 6 | '×': 'https://help.dyalog.com/18.2/#Language/Symbols/Times Sign.htm', 7 | '÷': 'https://help.dyalog.com/18.2/#Language/Symbols/Divide Sign.htm', 8 | '|': 'https://help.dyalog.com/18.2/#Language/Symbols/Stile.htm', 9 | '⌈': 'https://help.dyalog.com/18.2/#Language/Symbols/Upstile.htm', 10 | '⌊': 'https://help.dyalog.com/18.2/#Language/Symbols/Downstile.htm', 11 | '*': 'https://help.dyalog.com/18.2/#Language/Symbols/Star.htm', 12 | '⍟': 'https://help.dyalog.com/18.2/#Language/Symbols/Log.htm', 13 | '○': 'https://help.dyalog.com/18.2/#Language/Symbols/Circle.htm', 14 | '!': 'https://help.dyalog.com/18.2/#Language/Symbols/Exclamation Mark.htm', 15 | '?': 'https://help.dyalog.com/18.2/#Language/Symbols/Question Mark.htm', 16 | '~': 'https://help.dyalog.com/18.2/#Language/Symbols/Tilde.htm', 17 | '∧': 'https://help.dyalog.com/18.2/#Language/Symbols/Logical And.htm', 18 | '∨': 'https://help.dyalog.com/18.2/#Language/Symbols/Logical Or.htm', 19 | '⍲': 'https://help.dyalog.com/18.2/#Language/Symbols/Nand Symbol.htm', 20 | '⍱': 'https://help.dyalog.com/18.2/#Language/Symbols/Nor Symbol.htm', 21 | '<': 'https://help.dyalog.com/18.2/#Language/Symbols/Less Than Sign.htm', 22 | '≤': 'https://help.dyalog.com/18.2/#Language/Symbols/Less Than Or Equal To Sign.htm', 23 | '=': 'https://help.dyalog.com/18.2/#Language/Symbols/Equal Sign.htm', 24 | '>': 'https://help.dyalog.com/18.2/#Language/Symbols/Greater Than Sign.htm', 25 | '≥': 'https://help.dyalog.com/18.2/#Language/Symbols/Greater Than Or Equal To Sign.htm', 26 | '≠': 'https://help.dyalog.com/18.2/#Language/Symbols/Not Equal To.htm', 27 | '≡': 'https://help.dyalog.com/18.2/#Language/Symbols/Equal Underbar.htm', 28 | '≢': 'https://help.dyalog.com/18.2/#Language/Symbols/Equal Underbar Slash.htm', 29 | '⍴': 'https://help.dyalog.com/18.2/#Language/Symbols/Rho.htm', 30 | ',': 'https://help.dyalog.com/18.2/#Language/Symbols/Comma.htm', 31 | '⍪': 'https://help.dyalog.com/18.2/#Language/Symbols/Comma Bar.htm', 32 | '⌽': 'https://help.dyalog.com/18.2/#Language/Symbols/Circle Stile.htm', 33 | '⊖': 'https://help.dyalog.com/18.2/#Language/Symbols/Circle Bar.htm', 34 | '⍉': 'https://help.dyalog.com/18.2/#Language/Symbols/Transpose.htm', 35 | '↑': 'https://help.dyalog.com/18.2/#Language/Symbols/Up Arrow.htm', 36 | '↓': 'https://help.dyalog.com/18.2/#Language/Symbols/Down Arrow.htm', 37 | '⊂': 'https://help.dyalog.com/18.2/#Language/Symbols/Left Shoe.htm', 38 | '⊆': 'https://help.dyalog.com/18.2/#Language/Symbols/Left Shoe Underbar.htm', 39 | '⊃': 'https://help.dyalog.com/18.2/#Language/Symbols/Right Shoe.htm', 40 | '∊': 'https://help.dyalog.com/18.2/#Language/Symbols/Epsilon.htm', 41 | '⍷': 'https://help.dyalog.com/18.2/#Language/Symbols/Epsilon Underbar.htm', 42 | '/': 'https://help.dyalog.com/18.2/#Language/Symbols/Slash.htm', 43 | '⌿': 'https://help.dyalog.com/18.2/#Language/Symbols/Slash Bar.htm', 44 | '\\': 'https://help.dyalog.com/18.2/#Language/Symbols/Slope.htm', 45 | '⍀': 'https://help.dyalog.com/18.2/#Language/Symbols/Slope Bar.htm', 46 | '∩': 'https://help.dyalog.com/18.2/#Language/Symbols/Set Intersection.htm', 47 | '∪': 'https://help.dyalog.com/18.2/#Language/Symbols/Set Union.htm', 48 | '⍳': 'https://help.dyalog.com/18.2/#Language/Symbols/Iota.htm', 49 | '⍸': 'https://help.dyalog.com/18.2/#Language/Symbols/Iota Underbar.htm', 50 | '⌷': 'https://help.dyalog.com/18.2/#Language/Symbols/Index Symbol.htm', 51 | '⍋': 'https://help.dyalog.com/18.2/#Language/Symbols/Grade Up.htm', 52 | '⍒': 'https://help.dyalog.com/18.2/#Language/Symbols/Grade Down.htm', 53 | '⍎': 'https://help.dyalog.com/18.2/#Language/Symbols/Execute Symbol.htm', 54 | '⍕': 'https://help.dyalog.com/18.2/#Language/Symbols/Thorn Symbol.htm', 55 | '⊥': 'https://help.dyalog.com/18.2/#Language/Symbols/Decode Symbol.htm', 56 | '⊤': 'https://help.dyalog.com/18.2/#Language/Symbols/Encode Symbol.htm', 57 | '⊣': 'https://help.dyalog.com/18.2/#Language/Symbols/Left Tack.htm', 58 | '⊢': 'https://help.dyalog.com/18.2/#Language/Symbols/Right Tack.htm', 59 | '⌹': 'https://help.dyalog.com/18.2/#Language/Symbols/Domino.htm', 60 | '⍬': 'https://help.dyalog.com/18.2/#Language/Symbols/Zilde Symbol.htm', 61 | '→': 'https://help.dyalog.com/18.2/#Language/Symbols/Right Arrow.htm', 62 | '←': 'https://help.dyalog.com/18.2/#Language/Symbols/Left Arrow.htm'}, 63 | 'primitive_operators': {'¨': 'https://help.dyalog.com/18.2/#Language/Symbols/Dieresis.htm', 64 | '⍨': 'https://help.dyalog.com/18.2/#Language/Symbols/Dieresis Tilde.htm', 65 | '∘': 'https://help.dyalog.com/18.2/#Language/Symbols/Jot.htm', 66 | '.': 'https://help.dyalog.com/18.2/#Language/Symbols/Dot.htm', 67 | '∘.': 'https://help.dyalog.com/18.2/#Language/Symbols/Outer Product.htm', 68 | '/': 'https://help.dyalog.com/18.2/#Language/Symbols/Slash.htm', 69 | '⌿': 'https://help.dyalog.com/18.2/#Language/Symbols/Slash Bar.htm', 70 | '\\': 'https://help.dyalog.com/18.2/#Language/Symbols/Slope.htm', 71 | '⍀': 'https://help.dyalog.com/18.2/#Language/Symbols/Slope Bar.htm', 72 | '⍣': 'https://help.dyalog.com/18.2/#Language/Symbols/DieresisStar.htm', 73 | '&': 'https://help.dyalog.com/18.2/#Language/Symbols/Ampersand.htm', 74 | '⌶': 'https://help.dyalog.com/18.2/#Language/Symbols/IBeam.htm#IBeam', 75 | '⍠': 'https://help.dyalog.com/18.2/#Language/Symbols/Variant.htm#Variant', 76 | '⌸': 'https://help.dyalog.com/18.2/#Language/Symbols/Quad Equal.htm', 77 | '⌺': 'https://help.dyalog.com/18.2/#Language/Symbols/Quad Diamond.htm', 78 | '⍤': 'https://help.dyalog.com/18.2/#Language/Symbols/Jot Diaresis.htm', 79 | '⍥': 'https://help.dyalog.com/18.2/#Language/Symbols/Circle Dieresis.htm', 80 | '@': 'https://help.dyalog.com/18.2/#Language/Symbols/At.htm'}}} -------------------------------------------------------------------------------- /nbdev_apl/_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /nbdev_django/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/AnswerDotAI/nbdev-index/c2f65e506a7cf9e08dcd81f171a5b078a5d5fc49/nbdev_django/__init__.py -------------------------------------------------------------------------------- /nbdev_django/_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /nbdev_numpy/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/AnswerDotAI/nbdev-index/c2f65e506a7cf9e08dcd81f171a5b078a5d5fc49/nbdev_numpy/__init__.py -------------------------------------------------------------------------------- /nbdev_numpy/_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /nbdev_pandas/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/AnswerDotAI/nbdev-index/c2f65e506a7cf9e08dcd81f171a5b078a5d5fc49/nbdev_pandas/__init__.py -------------------------------------------------------------------------------- /nbdev_pandas/_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /nbdev_pytorch/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/AnswerDotAI/nbdev-index/c2f65e506a7cf9e08dcd81f171a5b078a5d5fc49/nbdev_pytorch/__init__.py -------------------------------------------------------------------------------- /nbdev_pytorch/_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /nbdev_scipy/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/AnswerDotAI/nbdev-index/c2f65e506a7cf9e08dcd81f171a5b078a5d5fc49/nbdev_scipy/__init__.py -------------------------------------------------------------------------------- /nbdev_scipy/_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /nbdev_sphinx/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/AnswerDotAI/nbdev-index/c2f65e506a7cf9e08dcd81f171a5b078a5d5fc49/nbdev_sphinx/__init__.py -------------------------------------------------------------------------------- /nbdev_sphinx/_modidx.py: -------------------------------------------------------------------------------- 1 | # Autogenerated by get_module_idx.py 2 | 3 | d = { 'settings': {'lib_path': 'nbdev_sphinx'}, 4 | 'syms': { 'builtins': {'builtins.enumerate': 'https://www.sphinx-doc.org/en/stable/usage/quickstart.html#enumerate'}, 5 | 'docutils.parsers': {'docutils.parsers.rst': 'https://www.sphinx-doc.org/en/stable/extdev/markupapi.html#module-docutils.parsers.rst'}, 6 | 'docutils.parsers.rst': { 'docutils.parsers.rst.Directive': 'https://www.sphinx-doc.org/en/stable/extdev/markupapi.html#docutils.parsers.rst.Directive', 7 | 'docutils.parsers.rst.Directive.run': 'https://www.sphinx-doc.org/en/stable/extdev/markupapi.html#docutils.parsers.rst.Directive.run'}, 8 | 'sphinx': { 'sphinx.addnodes': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#module-sphinx.addnodes', 9 | 'sphinx.application': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#module-sphinx.application', 10 | 'sphinx.builders': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders', 11 | 'sphinx.directives': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#module-sphinx.directives', 12 | 'sphinx.domains': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#module-sphinx.domains', 13 | 'sphinx.environment': 'https://www.sphinx-doc.org/en/stable/extdev/envapi.html#module-sphinx.environment', 14 | 'sphinx.errors': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#module-sphinx.errors', 15 | 'sphinx.parsers': 'https://www.sphinx-doc.org/en/stable/extdev/parserapi.html#module-sphinx.parsers', 16 | 'sphinx.testing': 'https://www.sphinx-doc.org/en/stable/extdev/testing.html#module-sphinx.testing'}, 17 | 'sphinx.addnodes': { 'sphinx.addnodes.compact_paragraph': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.compact_paragraph', 18 | 'sphinx.addnodes.desc': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc', 19 | 'sphinx.addnodes.desc_addname': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_addname', 20 | 'sphinx.addnodes.desc_annotation': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_annotation', 21 | 'sphinx.addnodes.desc_content': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_content', 22 | 'sphinx.addnodes.desc_inline': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_inline', 23 | 'sphinx.addnodes.desc_name': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_name', 24 | 'sphinx.addnodes.desc_optional': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_optional', 25 | 'sphinx.addnodes.desc_parameter': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_parameter', 26 | 'sphinx.addnodes.desc_parameterlist': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_parameterlist', 27 | 'sphinx.addnodes.desc_returns': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_returns', 28 | 'sphinx.addnodes.desc_sig_element': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_element', 29 | 'sphinx.addnodes.desc_sig_keyword': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_keyword', 30 | 'sphinx.addnodes.desc_sig_keyword_type': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_keyword_type', 31 | 'sphinx.addnodes.desc_sig_literal_char': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_literal_char', 32 | 'sphinx.addnodes.desc_sig_literal_number': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_literal_number', 33 | 'sphinx.addnodes.desc_sig_literal_string': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_literal_string', 34 | 'sphinx.addnodes.desc_sig_name': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_name', 35 | 'sphinx.addnodes.desc_sig_operator': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_operator', 36 | 'sphinx.addnodes.desc_sig_punctuation': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_punctuation', 37 | 'sphinx.addnodes.desc_sig_space': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_sig_space', 38 | 'sphinx.addnodes.desc_signature': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_signature', 39 | 'sphinx.addnodes.desc_signature_line': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_signature_line', 40 | 'sphinx.addnodes.desc_type': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.desc_type', 41 | 'sphinx.addnodes.download_reference': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.download_reference', 42 | 'sphinx.addnodes.glossary': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.glossary', 43 | 'sphinx.addnodes.highlightlang': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.highlightlang', 44 | 'sphinx.addnodes.index': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.index', 45 | 'sphinx.addnodes.literal_emphasis': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.literal_emphasis', 46 | 'sphinx.addnodes.only': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.only', 47 | 'sphinx.addnodes.pending_xref': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.pending_xref', 48 | 'sphinx.addnodes.pending_xref_condition': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.pending_xref_condition', 49 | 'sphinx.addnodes.production': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.production', 50 | 'sphinx.addnodes.productionlist': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.productionlist', 51 | 'sphinx.addnodes.seealso': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.seealso', 52 | 'sphinx.addnodes.start_of_file': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.start_of_file', 53 | 'sphinx.addnodes.toctree': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.toctree', 54 | 'sphinx.addnodes.versionmodified': 'https://www.sphinx-doc.org/en/stable/extdev/nodes.html#sphinx.addnodes.versionmodified'}, 55 | 'sphinx.application': { 'sphinx.application.Sphinx': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx', 56 | 'sphinx.application.Sphinx.add_autodoc_attrgetter': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_autodoc_attrgetter', 57 | 'sphinx.application.Sphinx.add_autodocumenter': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_autodocumenter', 58 | 'sphinx.application.Sphinx.add_builder': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_builder', 59 | 'sphinx.application.Sphinx.add_config_value': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_config_value', 60 | 'sphinx.application.Sphinx.add_crossref_type': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_crossref_type', 61 | 'sphinx.application.Sphinx.add_css_file': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_css_file', 62 | 'sphinx.application.Sphinx.add_directive': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_directive', 63 | 'sphinx.application.Sphinx.add_directive_to_domain': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_directive_to_domain', 64 | 'sphinx.application.Sphinx.add_domain': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_domain', 65 | 'sphinx.application.Sphinx.add_enumerable_node': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_enumerable_node', 66 | 'sphinx.application.Sphinx.add_env_collector': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_env_collector', 67 | 'sphinx.application.Sphinx.add_event': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_event', 68 | 'sphinx.application.Sphinx.add_generic_role': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_generic_role', 69 | 'sphinx.application.Sphinx.add_html_math_renderer': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_html_math_renderer', 70 | 'sphinx.application.Sphinx.add_html_theme': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_html_theme', 71 | 'sphinx.application.Sphinx.add_index_to_domain': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_index_to_domain', 72 | 'sphinx.application.Sphinx.add_js_file': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_js_file', 73 | 'sphinx.application.Sphinx.add_latex_package': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_latex_package', 74 | 'sphinx.application.Sphinx.add_lexer': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_lexer', 75 | 'sphinx.application.Sphinx.add_message_catalog': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_message_catalog', 76 | 'sphinx.application.Sphinx.add_node': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_node', 77 | 'sphinx.application.Sphinx.add_object_type': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_object_type', 78 | 'sphinx.application.Sphinx.add_post_transform': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_post_transform', 79 | 'sphinx.application.Sphinx.add_role': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_role', 80 | 'sphinx.application.Sphinx.add_role_to_domain': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_role_to_domain', 81 | 'sphinx.application.Sphinx.add_search_language': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_search_language', 82 | 'sphinx.application.Sphinx.add_source_parser': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_source_parser', 83 | 'sphinx.application.Sphinx.add_source_suffix': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_source_suffix', 84 | 'sphinx.application.Sphinx.add_transform': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.add_transform', 85 | 'sphinx.application.Sphinx.connect': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.connect', 86 | 'sphinx.application.Sphinx.disconnect': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.disconnect', 87 | 'sphinx.application.Sphinx.emit': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.emit', 88 | 'sphinx.application.Sphinx.emit_firstresult': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.emit_firstresult', 89 | 'sphinx.application.Sphinx.is_parallel_allowed': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.is_parallel_allowed', 90 | 'sphinx.application.Sphinx.require_sphinx': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.require_sphinx', 91 | 'sphinx.application.Sphinx.set_html_assets_policy': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.set_html_assets_policy', 92 | 'sphinx.application.Sphinx.set_translator': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.set_translator', 93 | 'sphinx.application.Sphinx.setup_extension': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.Sphinx.setup_extension', 94 | 'sphinx.application.TemplateBridge': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.TemplateBridge', 95 | 'sphinx.application.TemplateBridge.init': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.TemplateBridge.init', 96 | 'sphinx.application.TemplateBridge.newest_template_mtime': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.TemplateBridge.newest_template_mtime', 97 | 'sphinx.application.TemplateBridge.render': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.TemplateBridge.render', 98 | 'sphinx.application.TemplateBridge.render_string': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.application.TemplateBridge.render_string'}, 99 | 'sphinx.builders': { 'sphinx.builders.Builder': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder', 100 | 'sphinx.builders.Builder.build': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.build', 101 | 'sphinx.builders.Builder.build_all': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.build_all', 102 | 'sphinx.builders.Builder.build_specific': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.build_specific', 103 | 'sphinx.builders.Builder.build_update': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.build_update', 104 | 'sphinx.builders.Builder.copy_assets': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.copy_assets', 105 | 'sphinx.builders.Builder.finish': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.finish', 106 | 'sphinx.builders.Builder.get_outdated_docs': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.get_outdated_docs', 107 | 'sphinx.builders.Builder.get_relative_uri': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.get_relative_uri', 108 | 'sphinx.builders.Builder.get_target_uri': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.get_target_uri', 109 | 'sphinx.builders.Builder.init': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.init', 110 | 'sphinx.builders.Builder.prepare_writing': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.prepare_writing', 111 | 'sphinx.builders.Builder.read': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.read', 112 | 'sphinx.builders.Builder.read_doc': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.read_doc', 113 | 'sphinx.builders.Builder.write': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.write', 114 | 'sphinx.builders.Builder.write_doc': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.write_doc', 115 | 'sphinx.builders.Builder.write_doctree': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.write_doctree', 116 | 'sphinx.builders.Builder.write_documents': 'https://www.sphinx-doc.org/en/stable/extdev/builderapi.html#sphinx.builders.Builder.write_documents', 117 | 'sphinx.builders.changes': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.changes', 118 | 'sphinx.builders.dirhtml': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.dirhtml', 119 | 'sphinx.builders.dummy': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.dummy', 120 | 'sphinx.builders.epub3': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.epub3', 121 | 'sphinx.builders.gettext': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.gettext', 122 | 'sphinx.builders.html': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.html', 123 | 'sphinx.builders.latex': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.latex', 124 | 'sphinx.builders.linkcheck': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.linkcheck', 125 | 'sphinx.builders.manpage': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.manpage', 126 | 'sphinx.builders.singlehtml': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.singlehtml', 127 | 'sphinx.builders.texinfo': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.texinfo', 128 | 'sphinx.builders.text': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.text', 129 | 'sphinx.builders.xml': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinx.builders.xml'}, 130 | 'sphinx.builders.changes': { 'sphinx.builders.changes.ChangesBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.changes.ChangesBuilder'}, 131 | 'sphinx.builders.dirhtml': { 'sphinx.builders.dirhtml.DirectoryHTMLBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.dirhtml.DirectoryHTMLBuilder'}, 132 | 'sphinx.builders.dummy': { 'sphinx.builders.dummy.DummyBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.dummy.DummyBuilder'}, 133 | 'sphinx.builders.epub3': { 'sphinx.builders.epub3.Epub3Builder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.epub3.Epub3Builder'}, 134 | 'sphinx.builders.gettext': { 'sphinx.builders.gettext.MessageCatalogBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.gettext.MessageCatalogBuilder'}, 135 | 'sphinx.builders.html': { 'sphinx.builders.html.StandaloneHTMLBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.html.StandaloneHTMLBuilder'}, 136 | 'sphinx.builders.latex': { 'sphinx.builders.latex.LaTeXBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.latex.LaTeXBuilder'}, 137 | 'sphinx.builders.linkcheck': { 'sphinx.builders.linkcheck.CheckExternalLinksBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.linkcheck.CheckExternalLinksBuilder'}, 138 | 'sphinx.builders.manpage': { 'sphinx.builders.manpage.ManualPageBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.manpage.ManualPageBuilder'}, 139 | 'sphinx.builders.singlehtml': { 'sphinx.builders.singlehtml.SingleFileHTMLBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.singlehtml.SingleFileHTMLBuilder'}, 140 | 'sphinx.builders.texinfo': { 'sphinx.builders.texinfo.TexinfoBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.texinfo.TexinfoBuilder'}, 141 | 'sphinx.builders.text': { 'sphinx.builders.text.TextBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.text.TextBuilder'}, 142 | 'sphinx.builders.xml': { 'sphinx.builders.xml.PseudoXMLBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.xml.PseudoXMLBuilder', 143 | 'sphinx.builders.xml.XMLBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinx.builders.xml.XMLBuilder'}, 144 | 'sphinx.config': { 'sphinx.config.Config': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.config.Config', 145 | 'sphinx.config.ENUM': 'https://www.sphinx-doc.org/en/stable/extdev/appapi.html#sphinx.config.ENUM'}, 146 | 'sphinx.directives': { 'sphinx.directives.ObjectDescription': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription', 147 | 'sphinx.directives.ObjectDescription._object_hierarchy_parts': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription._object_hierarchy_parts', 148 | 'sphinx.directives.ObjectDescription._toc_entry_name': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription._toc_entry_name', 149 | 'sphinx.directives.ObjectDescription.add_target_and_index': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription.add_target_and_index', 150 | 'sphinx.directives.ObjectDescription.after_content': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription.after_content', 151 | 'sphinx.directives.ObjectDescription.before_content': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription.before_content', 152 | 'sphinx.directives.ObjectDescription.get_signatures': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription.get_signatures', 153 | 'sphinx.directives.ObjectDescription.handle_signature': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription.handle_signature', 154 | 'sphinx.directives.ObjectDescription.run': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription.run', 155 | 'sphinx.directives.ObjectDescription.transform_content': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.directives.ObjectDescription.transform_content'}, 156 | 'sphinx.domains': { 'sphinx.domains.Domain': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain', 157 | 'sphinx.domains.Domain.add_object_type': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.add_object_type', 158 | 'sphinx.domains.Domain.check_consistency': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.check_consistency', 159 | 'sphinx.domains.Domain.clear_doc': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.clear_doc', 160 | 'sphinx.domains.Domain.directive': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.directive', 161 | 'sphinx.domains.Domain.get_enumerable_node_type': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.get_enumerable_node_type', 162 | 'sphinx.domains.Domain.get_full_qualified_name': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.get_full_qualified_name', 163 | 'sphinx.domains.Domain.get_objects': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.get_objects', 164 | 'sphinx.domains.Domain.get_type_name': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.get_type_name', 165 | 'sphinx.domains.Domain.merge_domaindata': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.merge_domaindata', 166 | 'sphinx.domains.Domain.process_doc': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.process_doc', 167 | 'sphinx.domains.Domain.process_field_xref': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.process_field_xref', 168 | 'sphinx.domains.Domain.resolve_any_xref': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.resolve_any_xref', 169 | 'sphinx.domains.Domain.resolve_xref': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.resolve_xref', 170 | 'sphinx.domains.Domain.role': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.role', 171 | 'sphinx.domains.Domain.setup': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Domain.setup', 172 | 'sphinx.domains.Index': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Index', 173 | 'sphinx.domains.Index.generate': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Index.generate', 174 | 'sphinx.domains.IndexEntry': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.IndexEntry', 175 | 'sphinx.domains.ObjType': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.ObjType', 176 | 'sphinx.domains.python': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#module-sphinx.domains.python'}, 177 | 'sphinx.domains._index': { 'sphinx.domains._index.Index': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.Index', 178 | 'sphinx.domains._index.IndexEntry': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.IndexEntry'}, 179 | 'sphinx.domains.python': { 'sphinx.domains.python.PythonDomain': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.python.PythonDomain', 180 | 'sphinx.domains.python.PythonDomain.note_module': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.python.PythonDomain.note_module', 181 | 'sphinx.domains.python.PythonDomain.note_object': 'https://www.sphinx-doc.org/en/stable/extdev/domainapi.html#sphinx.domains.python.PythonDomain.note_object'}, 182 | 'sphinx.environment': { 'sphinx.environment.BuildEnvironment': 'https://www.sphinx-doc.org/en/stable/extdev/envapi.html#sphinx.environment.BuildEnvironment', 183 | 'sphinx.environment.BuildEnvironment.doc2path': 'https://www.sphinx-doc.org/en/stable/extdev/envapi.html#sphinx.environment.BuildEnvironment.doc2path', 184 | 'sphinx.environment.BuildEnvironment.new_serialno': 'https://www.sphinx-doc.org/en/stable/extdev/envapi.html#sphinx.environment.BuildEnvironment.new_serialno', 185 | 'sphinx.environment.BuildEnvironment.note_dependency': 'https://www.sphinx-doc.org/en/stable/extdev/envapi.html#sphinx.environment.BuildEnvironment.note_dependency', 186 | 'sphinx.environment.BuildEnvironment.note_reread': 'https://www.sphinx-doc.org/en/stable/extdev/envapi.html#sphinx.environment.BuildEnvironment.note_reread', 187 | 'sphinx.environment.BuildEnvironment.relfn2path': 'https://www.sphinx-doc.org/en/stable/extdev/envapi.html#sphinx.environment.BuildEnvironment.relfn2path', 188 | 'sphinx.environment.collectors': 'https://www.sphinx-doc.org/en/stable/extdev/collectorapi.html#module-sphinx.environment.collectors'}, 189 | 'sphinx.environment.collectors': { 'sphinx.environment.collectors.EnvironmentCollector': 'https://www.sphinx-doc.org/en/stable/extdev/collectorapi.html#sphinx.environment.collectors.EnvironmentCollector', 190 | 'sphinx.environment.collectors.EnvironmentCollector.clear_doc': 'https://www.sphinx-doc.org/en/stable/extdev/collectorapi.html#sphinx.environment.collectors.EnvironmentCollector.clear_doc', 191 | 'sphinx.environment.collectors.EnvironmentCollector.get_outdated_docs': 'https://www.sphinx-doc.org/en/stable/extdev/collectorapi.html#sphinx.environment.collectors.EnvironmentCollector.get_outdated_docs', 192 | 'sphinx.environment.collectors.EnvironmentCollector.get_updated_docs': 'https://www.sphinx-doc.org/en/stable/extdev/collectorapi.html#sphinx.environment.collectors.EnvironmentCollector.get_updated_docs', 193 | 'sphinx.environment.collectors.EnvironmentCollector.merge_other': 'https://www.sphinx-doc.org/en/stable/extdev/collectorapi.html#sphinx.environment.collectors.EnvironmentCollector.merge_other', 194 | 'sphinx.environment.collectors.EnvironmentCollector.process_doc': 'https://www.sphinx-doc.org/en/stable/extdev/collectorapi.html#sphinx.environment.collectors.EnvironmentCollector.process_doc'}, 195 | 'sphinx.events': { 'sphinx.events.EventManager': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.events.EventManager', 196 | 'sphinx.events.EventManager.add': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.events.EventManager.add', 197 | 'sphinx.events.EventManager.connect': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.events.EventManager.connect', 198 | 'sphinx.events.EventManager.disconnect': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.events.EventManager.disconnect', 199 | 'sphinx.events.EventManager.emit': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.events.EventManager.emit', 200 | 'sphinx.events.EventManager.emit_firstresult': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.events.EventManager.emit_firstresult'}, 201 | 'sphinx.ext': { 'sphinx.ext.apidoc': 'https://www.sphinx-doc.org/en/stable/usage/extensions/apidoc.html#module-sphinx.ext.apidoc', 202 | 'sphinx.ext.autodoc': 'https://www.sphinx-doc.org/en/stable/usage/extensions/autodoc.html#module-sphinx.ext.autodoc', 203 | 'sphinx.ext.autosectionlabel': 'https://www.sphinx-doc.org/en/stable/usage/extensions/autosectionlabel.html#module-sphinx.ext.autosectionlabel', 204 | 'sphinx.ext.autosummary': 'https://www.sphinx-doc.org/en/stable/usage/extensions/autosummary.html#module-sphinx.ext.autosummary', 205 | 'sphinx.ext.coverage': 'https://www.sphinx-doc.org/en/stable/usage/extensions/coverage.html#module-sphinx.ext.coverage', 206 | 'sphinx.ext.doctest': 'https://www.sphinx-doc.org/en/stable/usage/extensions/doctest.html#module-sphinx.ext.doctest', 207 | 'sphinx.ext.duration': 'https://www.sphinx-doc.org/en/stable/usage/extensions/duration.html#module-sphinx.ext.duration', 208 | 'sphinx.ext.extlinks': 'https://www.sphinx-doc.org/en/stable/usage/extensions/extlinks.html#module-sphinx.ext.extlinks', 209 | 'sphinx.ext.githubpages': 'https://www.sphinx-doc.org/en/stable/usage/extensions/githubpages.html#module-sphinx.ext.githubpages', 210 | 'sphinx.ext.graphviz': 'https://www.sphinx-doc.org/en/stable/usage/extensions/graphviz.html#module-sphinx.ext.graphviz', 211 | 'sphinx.ext.ifconfig': 'https://www.sphinx-doc.org/en/stable/usage/extensions/ifconfig.html#module-sphinx.ext.ifconfig', 212 | 'sphinx.ext.imgconverter': 'https://www.sphinx-doc.org/en/stable/usage/extensions/imgconverter.html#module-sphinx.ext.imgconverter', 213 | 'sphinx.ext.imgmath': 'https://www.sphinx-doc.org/en/stable/usage/extensions/math.html#module-sphinx.ext.imgmath', 214 | 'sphinx.ext.inheritance_diagram': 'https://www.sphinx-doc.org/en/stable/usage/extensions/inheritance.html#module-sphinx.ext.inheritance_diagram', 215 | 'sphinx.ext.intersphinx': 'https://www.sphinx-doc.org/en/stable/usage/extensions/intersphinx.html#module-sphinx.ext.intersphinx', 216 | 'sphinx.ext.jsmath': 'https://www.sphinx-doc.org/en/stable/usage/extensions/math.html#module-sphinx.ext.jsmath', 217 | 'sphinx.ext.linkcode': 'https://www.sphinx-doc.org/en/stable/usage/extensions/linkcode.html#module-sphinx.ext.linkcode', 218 | 'sphinx.ext.mathbase': 'https://www.sphinx-doc.org/en/stable/usage/extensions/math.html#module-sphinx.ext.mathbase', 219 | 'sphinx.ext.mathjax': 'https://www.sphinx-doc.org/en/stable/usage/extensions/math.html#module-sphinx.ext.mathjax', 220 | 'sphinx.ext.napoleon': 'https://www.sphinx-doc.org/en/stable/usage/extensions/napoleon.html#module-sphinx.ext.napoleon', 221 | 'sphinx.ext.todo': 'https://www.sphinx-doc.org/en/stable/usage/extensions/todo.html#module-sphinx.ext.todo', 222 | 'sphinx.ext.viewcode': 'https://www.sphinx-doc.org/en/stable/usage/extensions/viewcode.html#module-sphinx.ext.viewcode'}, 223 | 'sphinx.ext.autodoc': { 'sphinx.ext.autodoc.between': 'https://www.sphinx-doc.org/en/stable/usage/extensions/autodoc.html#sphinx.ext.autodoc.between', 224 | 'sphinx.ext.autodoc.cut_lines': 'https://www.sphinx-doc.org/en/stable/usage/extensions/autodoc.html#sphinx.ext.autodoc.cut_lines'}, 225 | 'sphinx.ext.coverage': { 'sphinx.ext.coverage.CoverageBuilder': 'https://www.sphinx-doc.org/en/stable/usage/extensions/coverage.html#sphinx.ext.coverage.CoverageBuilder'}, 226 | 'sphinx.ext.inheritance_diagram.sphinx.ext.inheritance_diagram': { 'sphinx.ext.inheritance_diagram.sphinx.ext.inheritance_diagram.InheritanceDiagram': 'https://www.sphinx-doc.org/en/stable/usage/extensions/inheritance.html#sphinx.ext.inheritance_diagram.sphinx.ext.inheritance_diagram.InheritanceDiagram'}, 227 | 'sphinx.ext.linkcode': { 'sphinx.ext.linkcode.add_linkcode_domain': 'https://www.sphinx-doc.org/en/stable/usage/extensions/linkcode.html#sphinx.ext.linkcode.add_linkcode_domain'}, 228 | 'sphinx.locale': { 'sphinx.locale._': 'https://www.sphinx-doc.org/en/stable/extdev/i18n.html#sphinx.locale._', 229 | 'sphinx.locale.__': 'https://www.sphinx-doc.org/en/stable/extdev/i18n.html#sphinx.locale.__', 230 | 'sphinx.locale.get_translation': 'https://www.sphinx-doc.org/en/stable/extdev/i18n.html#sphinx.locale.get_translation', 231 | 'sphinx.locale.init': 'https://www.sphinx-doc.org/en/stable/extdev/i18n.html#sphinx.locale.init', 232 | 'sphinx.locale.init_console': 'https://www.sphinx-doc.org/en/stable/extdev/i18n.html#sphinx.locale.init_console'}, 233 | 'sphinx.parsers': { 'sphinx.parsers.Parser': 'https://www.sphinx-doc.org/en/stable/extdev/parserapi.html#sphinx.parsers.Parser', 234 | 'sphinx.parsers.Parser.set_application': 'https://www.sphinx-doc.org/en/stable/extdev/parserapi.html#sphinx.parsers.Parser.set_application'}, 235 | 'sphinx.project': { 'sphinx.project.Project': 'https://www.sphinx-doc.org/en/stable/extdev/projectapi.html#sphinx.project.Project', 236 | 'sphinx.project.Project.discover': 'https://www.sphinx-doc.org/en/stable/extdev/projectapi.html#sphinx.project.Project.discover', 237 | 'sphinx.project.Project.doc2path': 'https://www.sphinx-doc.org/en/stable/extdev/projectapi.html#sphinx.project.Project.doc2path', 238 | 'sphinx.project.Project.path2doc': 'https://www.sphinx-doc.org/en/stable/extdev/projectapi.html#sphinx.project.Project.path2doc', 239 | 'sphinx.project.Project.restore': 'https://www.sphinx-doc.org/en/stable/extdev/projectapi.html#sphinx.project.Project.restore'}, 240 | 'sphinx.transforms': { 'sphinx.transforms.SphinxTransform': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.transforms.SphinxTransform'}, 241 | 'sphinx.transforms.post_transforms': { 'sphinx.transforms.post_transforms.SphinxPostTransform': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.transforms.post_transforms.SphinxPostTransform', 242 | 'sphinx.transforms.post_transforms.SphinxPostTransform.apply': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.transforms.post_transforms.SphinxPostTransform.apply', 243 | 'sphinx.transforms.post_transforms.SphinxPostTransform.is_supported': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.transforms.post_transforms.SphinxPostTransform.is_supported', 244 | 'sphinx.transforms.post_transforms.SphinxPostTransform.run': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.transforms.post_transforms.SphinxPostTransform.run'}, 245 | 'sphinx.transforms.post_transforms.images': { 'sphinx.transforms.post_transforms.images.ImageConverter': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.transforms.post_transforms.images.ImageConverter', 246 | 'sphinx.transforms.post_transforms.images.ImageConverter.convert': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.transforms.post_transforms.images.ImageConverter.convert', 247 | 'sphinx.transforms.post_transforms.images.ImageConverter.is_available': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.transforms.post_transforms.images.ImageConverter.is_available'}, 248 | 'sphinx.util.docutils': { 'sphinx.util.docutils.ReferenceRole': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.ReferenceRole', 249 | 'sphinx.util.docutils.SphinxDirective': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxDirective', 250 | 'sphinx.util.docutils.SphinxDirective.get_location': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxDirective.get_location', 251 | 'sphinx.util.docutils.SphinxDirective.get_source_info': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxDirective.get_source_info', 252 | 'sphinx.util.docutils.SphinxDirective.parse_content_to_nodes': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxDirective.parse_content_to_nodes', 253 | 'sphinx.util.docutils.SphinxDirective.parse_inline': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxDirective.parse_inline', 254 | 'sphinx.util.docutils.SphinxDirective.parse_text_to_nodes': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxDirective.parse_text_to_nodes', 255 | 'sphinx.util.docutils.SphinxDirective.set_source_info': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxDirective.set_source_info', 256 | 'sphinx.util.docutils.SphinxRole': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxRole', 257 | 'sphinx.util.docutils.SphinxRole.get_location': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.docutils.SphinxRole.get_location'}, 258 | 'sphinx.util.logging': { 'sphinx.util.logging.SphinxLoggerAdapter': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.SphinxLoggerAdapter', 259 | 'sphinx.util.logging.SphinxLoggerAdapter.critical': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.SphinxLoggerAdapter.critical', 260 | 'sphinx.util.logging.SphinxLoggerAdapter.debug': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.SphinxLoggerAdapter.debug', 261 | 'sphinx.util.logging.SphinxLoggerAdapter.error': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.SphinxLoggerAdapter.error', 262 | 'sphinx.util.logging.SphinxLoggerAdapter.info': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.SphinxLoggerAdapter.info', 263 | 'sphinx.util.logging.SphinxLoggerAdapter.log': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.SphinxLoggerAdapter.log', 264 | 'sphinx.util.logging.SphinxLoggerAdapter.verbose': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.SphinxLoggerAdapter.verbose', 265 | 'sphinx.util.logging.SphinxLoggerAdapter.warning': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.SphinxLoggerAdapter.warning', 266 | 'sphinx.util.logging.getLogger': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.getLogger', 267 | 'sphinx.util.logging.pending_logging': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.pending_logging', 268 | 'sphinx.util.logging.pending_warnings': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.pending_warnings', 269 | 'sphinx.util.logging.prefixed_warnings': 'https://www.sphinx-doc.org/en/stable/extdev/logging.html#sphinx.util.logging.prefixed_warnings'}, 270 | 'sphinx.util.parsing': { 'sphinx.util.parsing.nested_parse_to_nodes': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.parsing.nested_parse_to_nodes'}, 271 | 'sphinx.util.typing': { 'sphinx.util.typing.ExtensionMetadata': 'https://www.sphinx-doc.org/en/stable/extdev/utils.html#sphinx.util.typing.ExtensionMetadata'}, 272 | 'sphinxcontrib': { 'sphinxcontrib.applehelp': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinxcontrib.applehelp', 273 | 'sphinxcontrib.devhelp': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinxcontrib.devhelp', 274 | 'sphinxcontrib.htmlhelp': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinxcontrib.htmlhelp', 275 | 'sphinxcontrib.qthelp': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#module-sphinxcontrib.qthelp'}, 276 | 'sphinxcontrib.applehelp': { 'sphinxcontrib.applehelp.AppleHelpBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinxcontrib.applehelp.AppleHelpBuilder'}, 277 | 'sphinxcontrib.devhelp': { 'sphinxcontrib.devhelp.DevhelpBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinxcontrib.devhelp.DevhelpBuilder'}, 278 | 'sphinxcontrib.htmlhelp': { 'sphinxcontrib.htmlhelp.HTMLHelpBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinxcontrib.htmlhelp.HTMLHelpBuilder'}, 279 | 'sphinxcontrib.qthelp': { 'sphinxcontrib.qthelp.QtHelpBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinxcontrib.qthelp.QtHelpBuilder'}, 280 | 'sphinxcontrib.serializinghtml': { 'sphinxcontrib.serializinghtml.JSONHTMLBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinxcontrib.serializinghtml.JSONHTMLBuilder', 281 | 'sphinxcontrib.serializinghtml.PickleHTMLBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinxcontrib.serializinghtml.PickleHTMLBuilder', 282 | 'sphinxcontrib.serializinghtml.SerializingHTMLBuilder': 'https://www.sphinx-doc.org/en/stable/usage/builders/index.html#sphinxcontrib.serializinghtml.SerializingHTMLBuilder'}, 283 | 'sphinxcontrib.websupport': { 'sphinxcontrib.websupport.WebSupport': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/api.html#sphinxcontrib.websupport.WebSupport', 284 | 'sphinxcontrib.websupport.WebSupport.add_comment': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/api.html#sphinxcontrib.websupport.WebSupport.add_comment', 285 | 'sphinxcontrib.websupport.WebSupport.build': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/api.html#sphinxcontrib.websupport.WebSupport.build', 286 | 'sphinxcontrib.websupport.WebSupport.get_data': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/api.html#sphinxcontrib.websupport.WebSupport.get_data', 287 | 'sphinxcontrib.websupport.WebSupport.get_document': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/api.html#sphinxcontrib.websupport.WebSupport.get_document', 288 | 'sphinxcontrib.websupport.WebSupport.get_search_results': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/api.html#sphinxcontrib.websupport.WebSupport.get_search_results', 289 | 'sphinxcontrib.websupport.WebSupport.process_vote': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/api.html#sphinxcontrib.websupport.WebSupport.process_vote'}, 290 | 'sphinxcontrib.websupport.search': { 'sphinxcontrib.websupport.search.BaseSearch': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/searchadapters.html#sphinxcontrib.websupport.search.BaseSearch', 291 | 'sphinxcontrib.websupport.search.BaseSearch.add_document': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/searchadapters.html#sphinxcontrib.websupport.search.BaseSearch.add_document', 292 | 'sphinxcontrib.websupport.search.BaseSearch.extract_context': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/searchadapters.html#sphinxcontrib.websupport.search.BaseSearch.extract_context', 293 | 'sphinxcontrib.websupport.search.BaseSearch.feed': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/searchadapters.html#sphinxcontrib.websupport.search.BaseSearch.feed', 294 | 'sphinxcontrib.websupport.search.BaseSearch.finish_indexing': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/searchadapters.html#sphinxcontrib.websupport.search.BaseSearch.finish_indexing', 295 | 'sphinxcontrib.websupport.search.BaseSearch.handle_query': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/searchadapters.html#sphinxcontrib.websupport.search.BaseSearch.handle_query', 296 | 'sphinxcontrib.websupport.search.BaseSearch.init_indexing': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/searchadapters.html#sphinxcontrib.websupport.search.BaseSearch.init_indexing', 297 | 'sphinxcontrib.websupport.search.BaseSearch.query': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/searchadapters.html#sphinxcontrib.websupport.search.BaseSearch.query'}, 298 | 'sphinxcontrib.websupport.storage': { 'sphinxcontrib.websupport.storage.StorageBackend': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend', 299 | 'sphinxcontrib.websupport.storage.StorageBackend.accept_comment': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.accept_comment', 300 | 'sphinxcontrib.websupport.storage.StorageBackend.add_comment': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.add_comment', 301 | 'sphinxcontrib.websupport.storage.StorageBackend.add_node': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.add_node', 302 | 'sphinxcontrib.websupport.storage.StorageBackend.delete_comment': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.delete_comment', 303 | 'sphinxcontrib.websupport.storage.StorageBackend.get_data': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.get_data', 304 | 'sphinxcontrib.websupport.storage.StorageBackend.post_build': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.post_build', 305 | 'sphinxcontrib.websupport.storage.StorageBackend.pre_build': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.pre_build', 306 | 'sphinxcontrib.websupport.storage.StorageBackend.process_vote': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.process_vote', 307 | 'sphinxcontrib.websupport.storage.StorageBackend.update_username': 'https://www.sphinx-doc.org/en/stable/usage/advanced/websupport/storagebackends.html#sphinxcontrib.websupport.storage.StorageBackend.update_username'}}} 308 | -------------------------------------------------------------------------------- /nbdev_sphinx/_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /nbdev_stdlib/__init__.py: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/AnswerDotAI/nbdev-index/c2f65e506a7cf9e08dcd81f171a5b078a5d5fc49/nbdev_stdlib/__init__.py -------------------------------------------------------------------------------- /nbdev_stdlib/_nbdev.py: -------------------------------------------------------------------------------- 1 | __all__ = ['NbdevLookup', 'modidx'] 2 | from . import _modidx 3 | modidx = _modidx.d 4 | 5 | class NbdevLookup(): 6 | def __init__(self): 7 | py_syms = {k:v for k_,v_ in modidx['syms'].items() for k,v in v_.items()} 8 | self.syms = {**py_syms, **m['mods']} 9 | 10 | def doc_link(self, s): return self.syms.get(s, None) 11 | -------------------------------------------------------------------------------- /settings-apl.ini: -------------------------------------------------------------------------------- 1 | [DEFAULT] 2 | host = github 3 | lib_name = nbdev-apl 4 | user = fastai 5 | description = nbdev docs lookup for Dyalog APL 6 | keywords = nbdev fastai python apl 7 | author = Jeremy Howard 8 | author_email = info@fast.ai 9 | copyright = fast.ai, inc 10 | branch = master 11 | version = 0.0.1896 12 | min_python = 3.6 13 | audience = Developers 14 | language = English 15 | license = apache2 16 | status = 2 17 | lib_path = nbdev_apl 18 | nbs_path = . 19 | doc_path = docs 20 | doc_host = https://fastai.github.io 21 | doc_baseurl = /nbdev-apl/ 22 | git_url = https://github.com/fastai/nbdev-index/tree/master/ 23 | title = nbdev-apl 24 | 25 | -------------------------------------------------------------------------------- /settings-django.ini: -------------------------------------------------------------------------------- 1 | [DEFAULT] 2 | host = github 3 | lib_name = nbdev-django 4 | user = fastai 5 | description = nbdev docs lookup for django 6 | keywords = nbdev fastai python 7 | author = Jeremy Howard 8 | author_email = info@fast.ai 9 | copyright = fast.ai, inc 10 | branch = master 11 | version = 0.0.1913 12 | min_python = 3.6 13 | audience = Developers 14 | language = English 15 | license = apache2 16 | status = 2 17 | lib_path = nbdev_django 18 | nbs_path = . 19 | doc_path = docs 20 | doc_host = https://fastai.github.io 21 | doc_baseurl = /nbdev-django/ 22 | git_url = https://github.com/fastai/nbdev-index/tree/master/ 23 | title = nbdev-django 24 | 25 | -------------------------------------------------------------------------------- /settings-numpy.ini: -------------------------------------------------------------------------------- 1 | [DEFAULT] 2 | host = github 3 | lib_name = nbdev-numpy 4 | user = fastai 5 | description = nbdev docs lookup for numpy 6 | keywords = nbdev fastai python 7 | author = Jeremy Howard 8 | author_email = info@fast.ai 9 | copyright = fast.ai, inc 10 | branch = master 11 | version = 0.0.1900 12 | min_python = 3.6 13 | audience = Developers 14 | language = English 15 | license = apache2 16 | status = 2 17 | lib_path = nbdev_numpy 18 | nbs_path = . 19 | doc_path = docs 20 | doc_host = https://fastai.github.io 21 | doc_baseurl = /nbdev-numpy/ 22 | git_url = https://github.com/fastai/nbdev-index/tree/master/ 23 | title = nbdev-numpy 24 | 25 | -------------------------------------------------------------------------------- /settings-pandas.ini: -------------------------------------------------------------------------------- 1 | [DEFAULT] 2 | host = github 3 | lib_name = nbdev-pandas 4 | user = fastai 5 | description = nbdev docs lookup for pandas 6 | keywords = nbdev fastai python pandas 7 | author = Jeremy Howard 8 | author_email = info@fast.ai 9 | copyright = fast.ai, inc 10 | branch = master 11 | version = 0.0.1903 12 | min_python = 3.6 13 | audience = Developers 14 | language = English 15 | license = apache2 16 | status = 2 17 | lib_path = nbdev_pandas 18 | nbs_path = . 19 | doc_path = docs 20 | doc_host = https://fastai.github.io 21 | doc_baseurl = /nbdev-pandas/ 22 | git_url = https://github.com/fastai/nbdev-index/tree/master/ 23 | title = nbdev-pandas 24 | 25 | -------------------------------------------------------------------------------- /settings-pytorch.ini: -------------------------------------------------------------------------------- 1 | [DEFAULT] 2 | host = github 3 | lib_name = nbdev-pytorch 4 | user = fastai 5 | description = nbdev docs lookup for PyTorch 6 | keywords = nbdev fastai python pytorch 7 | author = Jeremy Howard 8 | author_email = info@fast.ai 9 | copyright = fast.ai, inc 10 | branch = master 11 | version = 0.0.1898 12 | min_python = 3.6 13 | audience = Developers 14 | language = English 15 | license = apache2 16 | status = 2 17 | lib_path = nbdev_pytorch 18 | nbs_path = . 19 | doc_path = docs 20 | doc_host = https://fastai.github.io 21 | doc_baseurl = /nbdev-pytorch/ 22 | git_url = https://github.com/fastai/nbdev-index/tree/master/ 23 | title = nbdev-pytorch 24 | 25 | -------------------------------------------------------------------------------- /settings-scipy.ini: -------------------------------------------------------------------------------- 1 | [DEFAULT] 2 | host = github 3 | lib_name = nbdev-scipy 4 | user = fastai 5 | description = nbdev docs lookup for scipy 6 | keywords = nbdev fastai python 7 | author = Jeremy Howard 8 | author_email = info@fast.ai 9 | copyright = fast.ai, inc 10 | branch = master 11 | version = 0.0.1889 12 | min_python = 3.6 13 | audience = Developers 14 | language = English 15 | license = apache2 16 | status = 2 17 | lib_path = nbdev_scipy 18 | nbs_path = . 19 | doc_path = docs 20 | doc_host = https://fastai.github.io 21 | doc_baseurl = /nbdev-scipy/ 22 | git_url = https://github.com/fastai/nbdev-index/tree/master/ 23 | title = nbdev-scipy 24 | 25 | -------------------------------------------------------------------------------- /settings-sphinx.ini: -------------------------------------------------------------------------------- 1 | [DEFAULT] 2 | host = github 3 | lib_name = nbdev-sphinx 4 | user = fastai 5 | description = nbdev docs lookup for sphinx 6 | keywords = nbdev fastai python 7 | author = Jeremy Howard 8 | author_email = info@fast.ai 9 | copyright = fast.ai, inc 10 | branch = master 11 | version = 0.0.1912 12 | min_python = 3.6 13 | audience = Developers 14 | language = English 15 | license = apache2 16 | status = 2 17 | lib_path = nbdev_sphinx 18 | nbs_path = . 19 | doc_path = docs 20 | doc_host = https://fastai.github.io 21 | doc_baseurl = /nbdev-sphinx/ 22 | git_url = https://github.com/fastai/nbdev-index/tree/master/ 23 | title = nbdev-sphinx 24 | 25 | -------------------------------------------------------------------------------- /settings-stdlib.ini: -------------------------------------------------------------------------------- 1 | [DEFAULT] 2 | host = github 3 | lib_name = nbdev-stdlib 4 | user = fastai 5 | description = nbdev docs lookup for the python standard library 6 | keywords = nbdev fastai python 7 | author = Jeremy Howard 8 | author_email = info@fast.ai 9 | copyright = fast.ai, inc 10 | branch = master 11 | version = 0.0.1917 12 | min_python = 3.6 13 | audience = Developers 14 | language = English 15 | license = apache2 16 | status = 2 17 | lib_path = nbdev_stdlib 18 | nbs_path = . 19 | doc_path = docs 20 | doc_host = https://fastai.github.io 21 | doc_baseurl = /nbdev-stdlib/ 22 | git_url = https://github.com/fastai/nbdev-index/tree/master/ 23 | title = nbdev-stdlib 24 | 25 | -------------------------------------------------------------------------------- /setup.py: -------------------------------------------------------------------------------- 1 | from pkg_resources import parse_version 2 | from configparser import ConfigParser 3 | import setuptools,re,sys 4 | assert parse_version(setuptools.__version__)>=parse_version('36.2') 5 | 6 | # note: all settings are in settings.ini; edit there, not here 7 | config = ConfigParser(delimiters=['=']) 8 | config.read('settings.ini') 9 | cfg = config['DEFAULT'] 10 | 11 | cfg_keys = 'version description keywords author author_email'.split() 12 | expected = cfg_keys + "lib_name user branch license status min_python audience language".split() 13 | for o in expected: assert o in cfg, "missing expected setting: {}".format(o) 14 | setup_cfg = {o:cfg[o] for o in cfg_keys} 15 | 16 | if len(sys.argv)>1 and sys.argv[1]=='version': 17 | print(setup_cfg['version']) 18 | exit() 19 | 20 | licenses = { 21 | 'apache2': ('Apache Software License 2.0','OSI Approved :: Apache Software License'), 22 | } 23 | statuses = [ '1 - Planning', '2 - Pre-Alpha', '3 - Alpha', 24 | '4 - Beta', '5 - Production/Stable', '6 - Mature', '7 - Inactive' ] 25 | py_versions = '2.0 2.1 2.2 2.3 2.4 2.5 2.6 2.7 3.0 3.1 3.2 3.3 3.4 3.5 3.6 3.7 3.8'.split() 26 | min_python = cfg['min_python'] 27 | lic = licenses[cfg['license']] 28 | 29 | requirements = ['pip', 'packaging'] 30 | if cfg.get('requirements'): requirements += cfg.get('requirements','').split() 31 | if cfg.get('pip_requirements'): requirements += cfg.get('pip_requirements','').split() 32 | dev_requirements = (cfg.get('dev_requirements') or '').split() 33 | 34 | long_description = open('README.md').read() 35 | # ![png](docs/images/output_13_0.png) 36 | for ext in ['png', 'svg']: 37 | long_description = re.sub(r'!\['+ext+'\]\((.*)\)', '!['+ext+']('+'https://raw.githubusercontent.com/{}/{}'.format(cfg['user'],cfg['lib_name'])+'/'+cfg['branch']+'/\\1)', long_description) 38 | long_description = re.sub(r'src=\"(.*)\.'+ext+'\"', 'src=\"https://raw.githubusercontent.com/{}/{}'.format(cfg['user'],cfg['lib_name'])+'/'+cfg['branch']+'/\\1.'+ext+'\"', long_description) 39 | 40 | setuptools.setup( 41 | name = cfg['lib_name'], 42 | license = lic[0], 43 | classifiers = [ 44 | 'Development Status :: ' + statuses[int(cfg['status'])], 45 | 'Intended Audience :: ' + cfg['audience'].title(), 46 | 'License :: ' + lic[1], 47 | 'Natural Language :: ' + cfg['language'].title(), 48 | ] + ['Programming Language :: Python :: '+o for o in py_versions[py_versions.index(min_python):]], 49 | url = cfg['git_url'], 50 | packages = [cfg['lib_path']], 51 | include_package_data = True, 52 | install_requires = requirements, 53 | extras_require={ 'dev': dev_requirements }, 54 | python_requires = '>=' + cfg['min_python'], 55 | long_description = long_description, 56 | long_description_content_type = 'text/markdown', 57 | zip_safe = False, 58 | setup_requires=['wheel'], 59 | entry_points = { 'nbdev': [f'{cfg.get("lib_path")}={cfg.get("lib_path")}._modidx:d'] }, 60 | **setup_cfg) 61 | 62 | -------------------------------------------------------------------------------- /tools/mk_pymd.py: -------------------------------------------------------------------------------- 1 | #!/usr/bin/env python 2 | from nbdev_stdlib.python_mods import * 3 | from fastcore.all import * 4 | 5 | def create_pymd(f): 6 | print(f"## All of the python 3.9 standard library\n", file=f) 7 | for m,n in mods.items(): 8 | print(f"#### [{m}]({n})\n", file=f) 9 | print('
\n', file=f) 10 | s = syms[m] 11 | for o,p in s.items(): print(f"- [`{o}`]({p})", file=f) 12 | print('\n
\n', file=f) 13 | 14 | def create_pystdlib(f): 15 | print(f"## All of the python 3.9 standard library\n", file=f) 16 | print(f"### Table of contents\n", file=f) 17 | for m in mods: print(f"- [{m}](#user-content-{m})", file=f) 18 | print(file=f) 19 | 20 | print(f"### Symbols by module\n", file=f) 21 | for m,n in mods.items(): 22 | print(f"#### [{m}]({n})\n", file=f) 23 | s = syms[m] 24 | for o,p in s.items(): print(f"- [`{o}`]({p})", file=f) 25 | print('\n[^toc](#user-content-table-of-contents)\n', file=f) 26 | 27 | with open("py.md", 'w') as f: create_pymd(f) 28 | with open("py_stdlib.md", 'w') as f: create_pystdlib(f) 29 | --------------------------------------------------------------------------------