Skip to content

Commit b6de343

Browse files
authored
parallel invocation of tox environments #439 (#1102)
This solution is ``subprocess`` based. We're already heavily using subprocesses, so I consider this implementation safe. Resolves #439.
1 parent f401074 commit b6de343

21 files changed

+909
-36
lines changed

docs/changelog/439.feature.rst

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
Parallel mode added (alternative to ``detox`` which is being deprecated), for more details see :ref:`parallel_mode` - by :user:`gaborbernat`.

docs/changelog/template.jinja2

+2-1
Original file line numberDiff line numberDiff line change
@@ -13,7 +13,8 @@
1313
{% if definitions[category]['showcontent'] %}
1414

1515
{% for text, values in sections[section][category].items() %}
16-
- {{ text }} ({{ values|join(', ') }})
16+
- {{ text }}
17+
{{ values|join(',\n ') }}
1718
{% endfor %}
1819

1920
{% else %}

docs/config.rst

+20
Original file line numberDiff line numberDiff line change
@@ -158,6 +158,26 @@ Global settings are defined under the ``tox`` section as:
158158
Name of the virtual environment used to create a source distribution from the
159159
source tree.
160160

161+
.. conf:: parallel_show_output ^ bool ^ false
162+
163+
.. versionadded:: 3.7.0
164+
165+
If set to True the content of the output will always be shown when running in parallel mode.
166+
167+
.. conf:: depends ^ comma separated values
168+
169+
.. versionadded:: 3.7.0
170+
171+
tox environments this depends on. tox will try to run all dependent environments before running this
172+
environment. Format is same as :conf:`envlist` (allows factor usage).
173+
174+
.. warning::
175+
176+
``depends`` does not pull in dependencies into the run target, for example if you select ``py27,py36,coverage``
177+
via the ``-e`` tox will only run those three (even if ``coverage`` may specify as ``depends`` other targets too -
178+
such as ``py27, py35, py36, py37``).
179+
180+
161181
Jenkins override
162182
++++++++++++++++
163183

docs/example/basic.rst

+54
Original file line numberDiff line numberDiff line change
@@ -381,3 +381,57 @@ meant exactly for that purpose, by setting the ``alwayscopy`` directive in your
381381
382382
[testenv]
383383
alwayscopy = True
384+
385+
.. _`parallel_mode`:
386+
387+
Parallel mode
388+
-------------
389+
``tox`` allows running environments in parallel:
390+
391+
- Invoke by using the ``--parallel`` or ``-p`` flag. After the packaging phase completes tox will run in parallel
392+
processes tox environments (spins a new instance of the tox interpreter, but passes through all host flags and
393+
environment variables).
394+
- ``-p`` takes an argument specifying the degree of parallelization:
395+
396+
- ``all`` to run all invoked environments in parallel,
397+
- ``auto`` to limit it to CPU count,
398+
- or pass an integer to set that limit.
399+
- Parallel mode displays a progress spinner while running tox environments in parallel, and reports outcome of
400+
these as soon as completed with a human readable duration timing attached.
401+
- Parallel mode by default shows output only of failed environments and ones marked as :conf:`parallel_show_output`
402+
``=True``.
403+
- There's now a concept of dependency between environments (specified via :conf:`depends`), tox will re-order the
404+
environment list to be run to satisfy these dependencies (in sequential run too). Furthermore, in parallel mode,
405+
will only schedule a tox environment to run once all of its dependencies finished (independent of their outcome).
406+
407+
.. warning::
408+
409+
``depends`` does not pull in dependencies into the run target, for example if you select ``py27,py36,coverage``
410+
via the ``-e`` tox will only run those three (even if ``coverage`` may specify as ``depends`` other targets too -
411+
such as ``py27, py35, py36, py37``).
412+
413+
- ``--parallel-live``/``-o`` allows showing the live output of the standard output and error, also turns off reporting
414+
described above.
415+
- Note: parallel evaluation disables standard input. Use non parallel invocation if you need standard input.
416+
417+
Example final output:
418+
419+
.. code-block:: bash
420+
421+
$ tox -e py27,py36,coverage -p all
422+
✔ OK py36 in 9.533 seconds
423+
✔ OK py27 in 9.96 seconds
424+
✔ OK coverage in 2.0 seconds
425+
___________________________ summary ______________________________________________________
426+
py27: commands succeeded
427+
py36: commands succeeded
428+
coverage: commands succeeded
429+
congratulations :)
430+
431+
432+
Example progress bar, showing a rotating spinner, the number of environments running and their list (limited up to \
433+
120 characters):
434+
435+
.. code-block:: bash
436+
437+
⠹ [2] py27 | py36

docs/plugins.rst

-1
Original file line numberDiff line numberDiff line change
@@ -58,7 +58,6 @@ and locations of all installed plugins::
5858
3.0.0 imported from /home/ob/.virtualenvs/tmp/lib/python3.6/site-packages/tox/__init__.py
5959
registered plugins:
6060
tox-travis-0.10 at /home/ob/.virtualenvs/tmp/lib/python3.6/site-packages/tox_travis/hooks.py
61-
detox-0.12 at /home/ob/.virtualenvs/tmp/lib/python3.6/site-packages/detox/tox_proclimit.py
6261

6362

6463
Creating a plugin

setup.py

+1
Original file line numberDiff line numberDiff line change
@@ -40,6 +40,7 @@
4040
setup_requires=["setuptools-scm>2, <4"], # readthedocs needs it
4141
extras_require={
4242
"testing": [
43+
"freezegun >= 0.3.11",
4344
"pytest >= 3.0.0, <4",
4445
"pytest-cov >= 2.5.1, <3",
4546
"pytest-mock >= 1.10.0, <2",

src/tox/config.py src/tox/config/__init__.py

+23-4
Original file line numberDiff line numberDiff line change
@@ -21,6 +21,7 @@
2121
import tox
2222
from tox.constants import INFO
2323
from tox.interpreters import Interpreters, NoInterpreterInfo
24+
from .parallel import add_parallel_flags, ENV_VAR_KEY as PARALLEL_ENV_VAR_KEY, add_parallel_config
2425

2526
hookimpl = tox.hookimpl
2627
"""DEPRECATED - REMOVE - this is left for compatibility with plugins importing this from here.
@@ -59,7 +60,13 @@ class Parser:
5960
"""Command line and ini-parser control object."""
6061

6162
def __init__(self):
62-
self.argparser = argparse.ArgumentParser(description="tox options", add_help=False)
63+
class HelpFormatter(argparse.ArgumentDefaultsHelpFormatter):
64+
def __init__(self, prog):
65+
super(HelpFormatter, self).__init__(prog, max_help_position=35, width=190)
66+
67+
self.argparser = argparse.ArgumentParser(
68+
description="tox options", add_help=False, prog="tox", formatter_class=HelpFormatter
69+
)
6370
self._testenv_attr = []
6471

6572
def add_argument(self, *args, **kwargs):
@@ -274,7 +281,9 @@ def parse_cli(args, pm):
274281
print(get_version_info(pm))
275282
raise SystemExit(0)
276283
interpreters = Interpreters(hook=pm.hook)
277-
config = Config(pluginmanager=pm, option=option, interpreters=interpreters, parser=parser)
284+
config = Config(
285+
pluginmanager=pm, option=option, interpreters=interpreters, parser=parser, args=args
286+
)
278287
return config, option
279288

280289

@@ -413,6 +422,7 @@ def tox_addoption(parser):
413422
dest="sdistonly",
414423
help="only perform the sdist packaging activity.",
415424
)
425+
add_parallel_flags(parser)
416426
parser.add_argument(
417427
"--parallel--safe-build",
418428
action="store_true",
@@ -799,6 +809,8 @@ def develop(testenv_config, value):
799809
help="list of extras to install with the source distribution or develop install",
800810
)
801811

812+
add_parallel_config(parser)
813+
802814

803815
def cli_skip_missing_interpreter(parser):
804816
class SkipMissingInterpreterAction(argparse.Action):
@@ -822,7 +834,7 @@ def __call__(self, parser, namespace, values, option_string=None):
822834
class Config(object):
823835
"""Global Tox config object."""
824836

825-
def __init__(self, pluginmanager, option, interpreters, parser):
837+
def __init__(self, pluginmanager, option, interpreters, parser, args):
826838
self.envconfigs = OrderedDict()
827839
"""Mapping envname -> envconfig"""
828840
self.invocationcwd = py.path.local()
@@ -831,6 +843,7 @@ def __init__(self, pluginmanager, option, interpreters, parser):
831843
self.option = option
832844
self._parser = parser
833845
self._testenv_attr = parser._testenv_attr
846+
self.args = args
834847

835848
"""option namespace containing all parsed command line options"""
836849

@@ -1040,7 +1053,7 @@ def __init__(self, config, ini_path, ini_data): # noqa
10401053
# factors stated in config envlist
10411054
stated_envlist = reader.getstring("envlist", replace=False)
10421055
if stated_envlist:
1043-
for env in _split_env(stated_envlist):
1056+
for env in config.envlist:
10441057
known_factors.update(env.split("-"))
10451058

10461059
# configure testenvs
@@ -1119,6 +1132,9 @@ def make_envconfig(self, name, section, subs, config, replace=True):
11191132
res = reader.getlist(env_attr.name, sep=" ")
11201133
elif atype == "line-list":
11211134
res = reader.getlist(env_attr.name, sep="\n")
1135+
elif atype == "env-list":
1136+
res = reader.getstring(env_attr.name, replace=False)
1137+
res = tuple(_split_env(res))
11221138
else:
11231139
raise ValueError("unknown type {!r}".format(atype))
11241140
if env_attr.postprocess:
@@ -1133,6 +1149,7 @@ def make_envconfig(self, name, section, subs, config, replace=True):
11331149

11341150
def _getenvdata(self, reader, config):
11351151
candidates = (
1152+
os.environ.get(PARALLEL_ENV_VAR_KEY),
11361153
self.config.option.env,
11371154
os.environ.get("TOXENV"),
11381155
reader.getstring("envlist", replace=False),
@@ -1167,6 +1184,8 @@ def _getenvdata(self, reader, config):
11671184

11681185
def _split_env(env):
11691186
"""if handed a list, action="append" was used for -e """
1187+
if env is None:
1188+
return []
11701189
if not isinstance(env, list):
11711190
env = [e.split("#", 1)[0].strip() for e in env.split("\n")]
11721191
env = ",".join([e for e in env if e])

src/tox/config/parallel.py

+77
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,77 @@
1+
from __future__ import absolute_import, unicode_literals
2+
3+
from argparse import ArgumentTypeError
4+
5+
ENV_VAR_KEY = "TOX_PARALLEL_ENV"
6+
OFF_VALUE = 0
7+
DEFAULT_PARALLEL = OFF_VALUE
8+
9+
10+
def auto_detect_cpus():
11+
try:
12+
from os import sched_getaffinity # python 3 only
13+
14+
def cpu_count():
15+
return len(sched_getaffinity(0))
16+
17+
except ImportError:
18+
# python 2 options
19+
try:
20+
from os import cpu_count
21+
except ImportError:
22+
from multiprocessing import cpu_count
23+
24+
try:
25+
n = cpu_count()
26+
except NotImplementedError: # pragma: no cov
27+
n = None # pragma: no cov
28+
return n if n else 1
29+
30+
31+
def parse_num_processes(s):
32+
if s == "all":
33+
return None
34+
if s == "auto":
35+
return auto_detect_cpus()
36+
else:
37+
value = int(s)
38+
if value < 0:
39+
raise ArgumentTypeError("value must be positive")
40+
return value
41+
42+
43+
def add_parallel_flags(parser):
44+
parser.add_argument(
45+
"-p",
46+
"--parallel",
47+
dest="parallel",
48+
help="run tox environments in parallel, the argument controls limit: all,"
49+
" auto - cpu count, some positive number, zero is turn off",
50+
action="store",
51+
type=parse_num_processes,
52+
default=DEFAULT_PARALLEL,
53+
metavar="VAL",
54+
)
55+
parser.add_argument(
56+
"-o",
57+
"--parallel-live",
58+
action="store_true",
59+
dest="parallel_live",
60+
help="connect to stdout while running environments",
61+
)
62+
63+
64+
def add_parallel_config(parser):
65+
parser.add_testenv_attribute(
66+
"depends",
67+
type="env-list",
68+
help="tox environments that this environment depends on (must be run after those)",
69+
)
70+
71+
parser.add_testenv_attribute(
72+
"parallel_show_output",
73+
type="bool",
74+
default=False,
75+
help="if set to True the content of the output will always be shown "
76+
"when running in parallel mode",
77+
)

0 commit comments

Comments
 (0)