-
Notifications
You must be signed in to change notification settings - Fork 16
/
noxfile.py
366 lines (291 loc) · 15 KB
/
noxfile.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
import argparse
import json
import logging
import nox # noqa
import os
from packaging import version
from pathlib import Path # noqa
import sys
# add parent folder to python path so that we can import noxfile_utils.py
# note that you need to "pip install -r noxfile-requiterements.txt" for this file to work.
sys.path.append(str(Path(__file__).parent / "ci_tools"))
from nox_utils import PY37, PY38, PY39, PY310, PY311, install_reqs, rm_folder, rm_file # noqa
pkg_name = "mkdocs_gallery"
gh_org = "smarie"
gh_repo = "mkdocs-gallery"
# set the default activated sessions, minimal for CI
nox.options.sessions = ["tests", "flake8", "docs"] # , "docs", "gh_pages"
nox.options.error_on_missing_interpreters = True
nox.options.reuse_existing_virtualenvs = True # this can be done using -r
# if platform.system() == "Windows": >> always use this for better control
nox.options.default_venv_backend = "virtualenv"
# os.environ["NO_COLOR"] = "True" # nox.options.nocolor = True does not work
# nox.options.verbose = True
nox_logger = logging.getLogger("nox")
# nox_logger.setLevel(logging.INFO) NO !!!! this prevents the "verbose" nox flag to work !
class Folders:
root = Path(__file__).parent
ci_tools = root / "ci_tools"
runlogs = root / Path(nox.options.envdir or ".nox") / "_runlogs"
runlogs.mkdir(parents=True, exist_ok=True)
dist = root / "dist"
site = root / "site"
site_reports = site / "reports"
reports_root = root / "docs" / "reports"
test_reports = reports_root / "junit"
test_xml = test_reports / "junit.xml"
test_html = test_reports / "report.html"
test_badge = test_reports / "junit-badge.svg"
coverage_reports = reports_root / "coverage"
coverage_xml = coverage_reports / "coverage.xml"
coverage_intermediate_file = root / ".coverage"
coverage_badge = coverage_reports / "coverage-badge.svg"
flake8_reports = reports_root / "flake8"
flake8_intermediate_file = root / "flake8stats.txt"
flake8_badge = flake8_reports / "flake8-badge.svg"
ENVS = {
PY311: {"coverage": False, "pkg_specs": {"pip": ">19"}},
PY310: {"coverage": False, "pkg_specs": {"pip": ">19"}},
PY39: {"coverage": False, "pkg_specs": {"pip": ">19"}},
PY37: {"coverage": False, "pkg_specs": {"pip": ">19"}},
# IMPORTANT: this should be last so that the folder docs/reports is not deleted afterwards
PY38: {"coverage": True, "pkg_specs": {"pip": ">19"}},
}
ENV_PARAMS = tuple((k, v["coverage"], v["pkg_specs"]) for k, v in ENVS.items())
ENV_IDS = tuple(ENVS.keys())
@nox.session
@nox.parametrize("python,coverage,pkg_specs", ENV_PARAMS, ids=ENV_IDS)
def tests(session, coverage, pkg_specs):
"""Run the test suite, including test reports generation and coverage reports. """
# As soon as this runs, we delete the target site and coverage files to avoid reporting wrong coverage/etc.
rm_folder(Folders.site)
rm_folder(Folders.reports_root)
# delete the .coverage files if any (they are not supposed to be any, but just in case)
rm_file(Folders.coverage_intermediate_file)
rm_file(Folders.root / "coverage.xml")
# CI-only dependencies
# Did we receive a flag through positional arguments ? (nox -s tests -- <flag>)
# install_ci_deps = False
# if len(session.posargs) == 1:
# assert session.posargs[0] == "keyrings.alt"
# install_ci_deps = True
# elif len(session.posargs) > 1:
# raise ValueError("Only a single positional argument is accepted, received: %r" % session.posargs)
# uncomment and edit if you wish to uninstall something without deleting the whole env
# session.run2("pip uninstall pytest-asyncio --yes")
# install all requirements
install_reqs(session, setup=True, install=True, tests=True, versions_dct=pkg_specs)
# Since our tests are currently limited, use our own doc generation as a test
cannot_run_mayavi = version.parse(session.python) < version.parse(PY38)
if cannot_run_mayavi:
install_reqs(session, phase="tests", phase_reqs=MKDOCS_GALLERY_EXAMPLES_REQS)
else:
install_reqs(session, phase="tests", phase_reqs=MKDOCS_GALLERY_EXAMPLES_REQS+MKDOCS_GALLERY_EXAMPLES_MAYAVI_REQS)
# Edit mkdocs config file
with open("mkdocs.yml", "r") as f:
mkdocs_config = f.readlines()
# Ignore failing mayavi example where mayavi is not installed
if cannot_run_mayavi:
with open("mkdocs-no-mayavi.yml", "w") as f:
for line in mkdocs_config:
if line == " expected_failing_examples:\n":
line = line + " - examples/plot_10_mayavi.py\n"
f.write(line)
# install CI-only dependencies
# if install_ci_deps:
# session.install2("keyrings.alt")
# list all (conda list alone does not work correctly on github actions)
# session.run2("conda list")
# conda_prefix = Path(session.bin)
# if conda_prefix.name == "bin":
# conda_prefix = conda_prefix.parent
# session.run2("conda list", env={"CONDA_PREFIX": str(conda_prefix), "CONDA_DEFAULT_ENV": session.get_session_id()})
# Fail if the assumed python version is not the actual one
session.run("python", "ci_tools/check_python_version.py", session.python)
# check that it can be imported even from a different folder
# Important: do not surround the command into double quotes as in the shell !
# session.run('python', '-c', 'import os; os.chdir(\'./docs/\'); import %s' % pkg_name)
# finally run all tests
if not coverage:
# install self so that it is recognized by pytest
session.install(".", "--no-deps")
# simple: pytest only
session.run("python", "-m", "pytest", "--cache-clear", "-v", "tests/")
# since our tests are too limited, we use our own mkdocs build as additional test for now.
if cannot_run_mayavi:
session.run("python", "-m", "mkdocs", "build", "-f", "mkdocs-no-mayavi.yml")
else:
session.run("python", "-m", "mkdocs", "build", "-f", "mkdocs.yml")
# -- add a second build so that we can go through the caching/md5 side
if cannot_run_mayavi:
session.run("python", "-m", "mkdocs", "build", "-f", "mkdocs-no-mayavi.yml")
else:
session.run("python", "-m", "mkdocs", "build", "-f", "mkdocs.yml")
else:
# install self in "develop" mode so that coverage can be measured
session.install("-e", ".", "--no-deps")
# coverage + junit html reports + badge generation
install_reqs(session, phase="coverage",
phase_reqs=["coverage", "pytest-html", "genbadge[tests,coverage]"],
versions_dct=pkg_specs)
# --coverage + junit html reports
session.run("coverage", "run", "--source", f"src/{pkg_name}",
"-m", "pytest", "--cache-clear",
f"--junitxml={Folders.test_xml}", f"--html={Folders.test_html}",
"-v", "tests/")
# -- use the doc generation for coverage
coverage_args = ("coverage", "run", "--append", "--source", f"src/{pkg_name}", "-m", "mkdocs", "build")
if cannot_run_mayavi:
session.run(*coverage_args, "-f", "mkdocs-no-mayavi.yml")
else:
session.run(*coverage_args, "-f", "mkdocs.yml")
# -- add a second build so that we can go through the caching/md5 code
if cannot_run_mayavi:
session.run(*coverage_args, "-f", "mkdocs-no-mayavi.yml")
else:
session.run(*coverage_args, "-f", "mkdocs.yml")
session.run("coverage", "report")
session.run("coverage", "xml", "-o", f"{Folders.coverage_xml}")
session.run("coverage", "html", "-d", f"{Folders.coverage_reports}")
# delete this intermediate file, it is not needed anymore
rm_file(Folders.coverage_intermediate_file)
# --generates the badge for the test results and fail build if less than x% tests pass
nox_logger.info("Generating badge for tests coverage")
# Use our own package to generate the badge
session.run("genbadge", "tests", "-i", f"{Folders.test_xml}", "-o", f"{Folders.test_badge}", "-t", "100")
session.run("genbadge", "coverage", "-i", f"{Folders.coverage_xml}", "-o", f"{Folders.coverage_badge}")
# Cleanup
if os.path.exists("mkdocs-no-mayavi.yml"):
os.remove("mkdocs-no-mayavi.yml")
@nox.session(python=PY39)
def flake8(session):
"""Launch flake8 qualimetry."""
session.install("-r", str(Folders.ci_tools / "flake8-requirements.txt"))
session.install(".")
rm_folder(Folders.flake8_reports)
Folders.flake8_reports.mkdir(parents=True, exist_ok=True)
rm_file(Folders.flake8_intermediate_file)
session.cd("src")
# Options are set in `setup.cfg` file
session.run("flake8", pkg_name, "--exit-zero", "--format=html", "--htmldir", str(Folders.flake8_reports),
"--statistics", "--tee", "--output-file", str(Folders.flake8_intermediate_file))
# generate our badge
session.run("genbadge", "flake8", "-i", f"{Folders.flake8_intermediate_file}", "-o", f"{Folders.flake8_badge}")
rm_file(Folders.flake8_intermediate_file)
MKDOCS_GALLERY_EXAMPLES_REQS = [
"matplotlib",
"seaborn",
"statsmodels",
"plotly",
"pyvista",
"imageio",
# "memory_profiler",
"pillow", # PIL, required for image rescaling
]
MKDOCS_GALLERY_EXAMPLES_MAYAVI_REQS = [
"PyQt5", # PyQt is required for the mayavi backend
# Note: installing Mayavi from PyPi does not seem to work on GHA CI.
#"git+https://github.com/enthought/mayavi.git", # we want mayavi>=4.7.4 when available due to https://github.com/enthought/mayavi/pull/1272
"configobj",
"numpy<2",
"mayavi"
]
@nox.session(python=PY39)
def docs(session):
"""Generates the doc. Pass '-- serve' to serve it on a local http server instead."""
install_reqs(session, phase="docs", phase_reqs=["mkdocs"] + MKDOCS_GALLERY_EXAMPLES_REQS + MKDOCS_GALLERY_EXAMPLES_MAYAVI_REQS)
# Install the plugin
session.install('.')
if session.posargs:
# use posargs instead of "build"
session.run("mkdocs", *session.posargs)
else:
session.run("mkdocs", "build", "-f", "mkdocs.yml")
@nox.session(python=PY39)
def publish(session):
"""Deploy the docs+reports on github pages. Note: this rebuilds the docs"""
install_reqs(session, phase="mkdocs", phase_reqs=["mkdocs"] + MKDOCS_GALLERY_EXAMPLES_REQS + MKDOCS_GALLERY_EXAMPLES_MAYAVI_REQS)
# Install the plugin
session.install(".")
# possibly rebuild the docs in a static way (mkdocs serve does not build locally)
session.run("mkdocs", "build", "-f", "mkdocs.yml")
# check that the doc has been generated with coverage
if not Folders.site_reports.exists():
raise ValueError("Test reports have not been built yet. Please run 'nox -s tests(3.7)' first")
# publish the docs
session.run("mkdocs", "gh-deploy", "-f", "mkdocs.yml")
# publish the coverage - now in github actions only
# install_reqs(session, phase="codecov", phase_reqs=["codecov", "keyring"])
# # keyring set https://app.codecov.io/gh/<org>/<repo> token
# import keyring # (note that this import is not from the session env but the main nox env)
# codecov_token = keyring.get_password("https://app.codecov.io/gh/<org>/<repo>>", "token")
# # note: do not use --root nor -f ! otherwise "There was an error processing coverage reports"
# session.run2('codecov -t %s -f %s' % (codecov_token, Folders.coverage_xml))
@nox.session(python=PY39)
def release(session):
"""Create a release on github corresponding to the latest tag"""
install_reqs(session, phase="setup.py#dist", phase_reqs=["setuptools_scm"])
# Get current tag using setuptools_scm and make sure this is not a dirty/dev one
from setuptools_scm import get_version # (note that this import is not from the session env but the main nox env)
from setuptools_scm.version import guess_next_dev_version
version = []
def my_scheme(version_):
version.append(version_)
return guess_next_dev_version(version_)
current_tag = get_version(".", version_scheme=my_scheme)
# create the package
rm_folder(Folders.dist)
session.run("python", "setup.py", "sdist", "bdist_wheel")
if version[0].dirty or not version[0].exact:
raise ValueError("You need to execute this action on a clean tag version with no local changes.")
# Did we receive a token through positional arguments ? (nox -s release -- <token>)
if len(session.posargs) == 1:
# Run from within github actions - no need to publish on pypi
gh_token = session.posargs[0]
publish_on_pypi = False
elif len(session.posargs) == 0:
# Run from local commandline - assume we want to manually publish on PyPi
publish_on_pypi = True
# keyring set https://docs.github.com/en/rest token
import keyring # (note that this import is not from the session env but the main nox env)
gh_token = keyring.get_password("https://docs.github.com/en/rest", "token")
assert len(gh_token) > 0
else:
raise ValueError("Only a single positional arg is allowed for now")
# publish the package on PyPi
if publish_on_pypi:
# keyring set https://upload.pypi.org/legacy/ your-username
# keyring set https://test.pypi.org/legacy/ your-username
install_reqs(session, phase="PyPi", phase_reqs=["twine"])
session.run("twine", "upload", "dist/*", "-u", "smarie") # -r testpypi
# create the github release
install_reqs(session, phase="release", phase_reqs=["click", "PyGithub"])
session.run("python", "ci_tools/github_release.py", "-s", gh_token,
"--repo-slug", f"{gh_org}/{gh_repo}", "-cf", "./docs/changelog.md",
"-d", f"https://{gh_org}.github.io/{gh_repo}/changelog", current_tag)
@nox.session(python=False)
def gha_list(session):
"""(mandatory arg: <base_session_name>) Prints all sessions available for <base_session_name>, for GithubActions."""
# see https://stackoverflow.com/q/66747359/7262247
# The options
parser = argparse.ArgumentParser()
parser.add_argument("-s", "--session", help="The nox base session name")
parser.add_argument(
"-v",
"--with_version",
action="store_true",
default=False,
help="Return a list of lists where the first element is the python version and the second the nox session.",
)
additional_args = parser.parse_args(session.posargs)
# Now use --json CLI option
out = session.run("nox", "-l", "--json", "-s", "tests", external=True, silent=True)
sessions_list = [{"python": s["python"], "session": s["session"]} for s in json.loads(out)]
# TODO filter
# print the list so that it can be caught by GHA.
# Note that json.dumps is optional since this is a list of string.
# However it is to remind us that GHA expects a well-formatted json list of strings.
print(json.dumps(sessions_list))
# if __name__ == '__main__':
# # allow this file to be executable for easy debugging in any IDE
# nox.run(globals())