Skip to content

Commit 3ed55fb

Browse files
ederaggaborbernat
authored andcommitted
Hint for possible signal upon InvocationError (#766)
* Display exitcode upon InvocationError. Issue #290. Co-authored-by: Daniel Hahler <[email protected]> * hint for exitcode > 128 * add changelog fragment * use keyword argument instead of try/except * add documentation * hints on the potential signal raised + better tests * pep8 naming: exitcode => exit_code * rename test_InvocationError => test_invocation_error * exit code + signal name * terser note * remove blank line * add changelog fragment * remove "python" from expected_command_arg (fix appveyor)
1 parent 13beb8b commit 3ed55fb

File tree

7 files changed

+101
-26
lines changed

7 files changed

+101
-26
lines changed

changelog/766.feature.rst

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
Hint for possible signal upon ``InvocationError``, on posix systems - by @ederag and @asottile.

doc/example/general.rst

+7-3
Original file line numberDiff line numberDiff line change
@@ -222,13 +222,17 @@ If the command starts with ``pytest`` or ``python setup.py test`` for instance,
222222
then the `pytest exit codes`_ are relevant.
223223

224224
On unix systems, there are some rather `common exit codes`_.
225-
This is why for exit codes larger than 128, an additional hint is given:
225+
This is why for exit codes larger than 128,
226+
if a signal with number equal to ``<exit code> - 128`` is found
227+
in the :py:mod:`signal` module, an additional hint is given:
226228

227229
.. code-block:: shell
228230
229231
ERROR: InvocationError for command
230-
'<command defined in tox.ini>' (exited with code 139)
231-
Note: On unix systems, an exit code larger than 128 often means a fatal error (e.g. 139=128+11: segmentation fault)
232+
'<command>' (exited with code 139)
233+
Note: this might indicate a fatal error signal (139 - 128 = 11: SIGSEGV)
234+
235+
where ``<command>`` is the command defined in ``tox.ini``, with quotes removed.
232236

233237
The signal numbers (e.g. 11 for a segmentation fault) can be found in the
234238
"Standard signals" section of the `signal man page`_.

setup.py

+1
Original file line numberDiff line numberDiff line change
@@ -53,6 +53,7 @@ def main():
5353
'virtualenv>=1.11.2'],
5454
extras_require={'testing': ['pytest >= 3.0.0',
5555
'pytest-cov',
56+
'pytest-mock',
5657
'pytest-timeout',
5758
'pytest-xdist'],
5859
'docs': ['sphinx >= 1.6.3, < 2',

tests/test_result.py

+34
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,5 @@
1+
import os
2+
import signal
13
import socket
24
import sys
35

@@ -69,3 +71,35 @@ def test_get_commandlog(pkg):
6971
assert envlog.dict["setup"]
7072
setuplog2 = replog.get_envlog("py36").get_commandlog("setup")
7173
assert setuplog2.list == setuplog.list
74+
75+
76+
@pytest.mark.parametrize('exit_code', [None, 0, 5, 128 + signal.SIGTERM, 1234])
77+
@pytest.mark.parametrize('os_name', ['posix', 'nt'])
78+
def test_invocation_error(exit_code, os_name, mocker, monkeypatch):
79+
monkeypatch.setattr(os, 'name', value=os_name)
80+
mocker.spy(tox, '_exit_code_str')
81+
if exit_code is None:
82+
exception = tox.exception.InvocationError("<command>")
83+
else:
84+
exception = tox.exception.InvocationError("<command>", exit_code)
85+
result = str(exception)
86+
# check that mocker works,
87+
# because it will be our only test in test_z_cmdline.py::test_exit_code
88+
# need the mocker.spy above
89+
assert tox._exit_code_str.call_count == 1
90+
assert tox._exit_code_str.call_args == mocker.call('InvocationError', "<command>", exit_code)
91+
if exit_code is None:
92+
needle = "(exited with code"
93+
assert needle not in result
94+
else:
95+
needle = "(exited with code %d)" % exit_code
96+
assert needle in result
97+
note = ("Note: this might indicate a fatal error signal")
98+
if (os_name == 'posix') and (exit_code == 128 + signal.SIGTERM):
99+
assert note in result
100+
number = signal.SIGTERM
101+
name = "SIGTERM"
102+
signal_str = "({} - 128 = {}: {})".format(exit_code, number, name)
103+
assert signal_str in result
104+
else:
105+
assert note not in result

tests/test_z_cmdline.py

+21-13
Original file line numberDiff line numberDiff line change
@@ -906,18 +906,26 @@ def test_tox_cmdline(monkeypatch):
906906
tox.cmdline(['caller_script', '--help'])
907907

908908

909-
@pytest.mark.parametrize('exitcode', [0, 5, 129])
910-
def test_exitcode(initproj, cmd, exitcode):
911-
tox_ini_content = "[testenv:foo]\ncommands=python -c 'import sys; sys.exit(%d)'" % exitcode
909+
@pytest.mark.parametrize('exit_code', [0, 6])
910+
def test_exit_code(initproj, cmd, exit_code, mocker):
911+
""" Check for correct InvocationError, with exit code,
912+
except for zero exit code """
913+
mocker.spy(tox, '_exit_code_str')
914+
tox_ini_content = "[testenv:foo]\ncommands=python -c 'import sys; sys.exit(%d)'" % exit_code
912915
initproj("foo", filedefs={'tox.ini': tox_ini_content})
913-
result = cmd()
914-
if exitcode:
915-
needle = "(exited with code %d)" % exitcode
916-
assert any(needle in line for line in result.outlines)
917-
if exitcode > 128:
918-
needle = ("Note: On unix systems, an exit code larger than 128 "
919-
"often means a fatal error (e.g. 139=128+11: segmentation fault)")
920-
assert any(needle in line for line in result.outlines)
916+
cmd()
917+
if exit_code:
918+
# need mocker.spy above
919+
assert tox._exit_code_str.call_count == 1
920+
(args, kwargs) = tox._exit_code_str.call_args
921+
assert kwargs == {}
922+
(call_error_name, call_command, call_exit_code) = args
923+
assert call_error_name == 'InvocationError'
924+
# quotes are removed in result.out
925+
# do not include "python" as it is changed to python.EXE by appveyor
926+
expected_command_arg = ' -c import sys; sys.exit(%d)' % exit_code
927+
assert expected_command_arg in call_command
928+
assert call_exit_code == exit_code
921929
else:
922-
needle = "(exited with code"
923-
assert all(needle not in line for line in result.outlines)
930+
# need mocker.spy above
931+
assert tox._exit_code_str.call_count == 0

tox.ini

+8
Original file line numberDiff line numberDiff line change
@@ -56,6 +56,14 @@ deps = codecov
5656
skip_install = True
5757
commands = codecov --file "{toxworkdir}/coverage.xml"
5858

59+
[testenv:exit_code]
60+
# to see how the InvocationError is displayed, use
61+
# PYTHONPATH=.:$PYTHONPATH python3 -m tox -e exit_code
62+
basepython = python3.6
63+
description = commands with several exit codes
64+
skip_install = True
65+
commands = python3.6 -c "import sys; sys.exit(139)"
66+
5967
[testenv:pra]
6068
passenv = *
6169
description = "personal release assistant" - see HOWTORELEASE.rst

tox/__init__.py

+29-10
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,6 @@
1+
import os
2+
import signal
3+
14
from pkg_resources import DistributionNotFound
25
from pkg_resources import get_distribution
36

@@ -11,6 +14,28 @@
1114
__version__ = '0.0.0.dev0'
1215

1316

17+
# separate function because pytest-mock `spy` does not work on Exceptions
18+
# can use neither a class method nor a static because of
19+
# https://bugs.python.org/issue23078
20+
# even a normal method failed with
21+
# TypeError: descriptor '__getattribute__' requires a 'BaseException' object but received a 'type'
22+
def _exit_code_str(exception_name, command, exit_code):
23+
""" string representation for an InvocationError, with exit code """
24+
str_ = "%s for command %s" % (exception_name, command)
25+
if exit_code is not None:
26+
str_ += " (exited with code %d)" % (exit_code)
27+
if (os.name == 'posix') and (exit_code > 128):
28+
signals = {number: name
29+
for name, number in vars(signal).items()
30+
if name.startswith("SIG")}
31+
number = exit_code - 128
32+
name = signals.get(number)
33+
if name:
34+
str_ += ("\nNote: this might indicate a fatal error signal "
35+
"({} - 128 = {}: {})".format(number+128, number, name))
36+
return str_
37+
38+
1439
class exception:
1540
class Error(Exception):
1641
def __str__(self):
@@ -34,19 +59,13 @@ class InterpreterNotFound(Error):
3459

3560
class InvocationError(Error):
3661
""" an error while invoking a script. """
37-
def __init__(self, command, exitcode=None):
38-
super(exception.Error, self).__init__(command, exitcode)
62+
def __init__(self, command, exit_code=None):
63+
super(exception.Error, self).__init__(command, exit_code)
3964
self.command = command
40-
self.exitcode = exitcode
65+
self.exit_code = exit_code
4166

4267
def __str__(self):
43-
str_ = "%s for command %s" % (self.__class__.__name__, self.command)
44-
if self.exitcode:
45-
str_ += " (exited with code %d)" % (self.exitcode)
46-
if self.exitcode > 128:
47-
str_ += ("\nNote: On unix systems, an exit code larger than 128 "
48-
"often means a fatal error (e.g. 139=128+11: segmentation fault)")
49-
return str_
68+
return _exit_code_str(self.__class__.__name__, self.command, self.exit_code)
5069

5170
class MissingFile(Error):
5271
""" an error while invoking a script. """

0 commit comments

Comments
 (0)