Filter selectively with __tracebackhide__
When __tracebackhide__ gets set to an exception type or list/tuple of exception types, only those exceptions get filtered, while the full traceback is shown if another exception (e.g. a bug in a assertion helper) happens.
This commit is contained in:
parent
0f7aeafe7c
commit
b607f6728f
|
@ -23,6 +23,9 @@
|
||||||
Thanks `@omarkohl`_ for the complete PR (`#1502`_) and `@nicoddemus`_ for the
|
Thanks `@omarkohl`_ for the complete PR (`#1502`_) and `@nicoddemus`_ for the
|
||||||
implementation tips.
|
implementation tips.
|
||||||
|
|
||||||
|
* ``__tracebackhide__`` can now also be set to an exception type (or a list of
|
||||||
|
exception types) to only filter exceptions of that type.
|
||||||
|
|
||||||
*
|
*
|
||||||
|
|
||||||
**Changes**
|
**Changes**
|
||||||
|
|
|
@ -140,7 +140,8 @@ class TracebackEntry(object):
|
||||||
_repr_style = None
|
_repr_style = None
|
||||||
exprinfo = None
|
exprinfo = None
|
||||||
|
|
||||||
def __init__(self, rawentry):
|
def __init__(self, rawentry, exctype=None):
|
||||||
|
self._exctype = exctype
|
||||||
self._rawentry = rawentry
|
self._rawentry = rawentry
|
||||||
self.lineno = rawentry.tb_lineno - 1
|
self.lineno = rawentry.tb_lineno - 1
|
||||||
|
|
||||||
|
@ -217,20 +218,37 @@ class TracebackEntry(object):
|
||||||
|
|
||||||
source = property(getsource)
|
source = property(getsource)
|
||||||
|
|
||||||
|
def _is_exception_type(self, obj):
|
||||||
|
return isinstance(obj, type) and issubclass(obj, Exception)
|
||||||
|
|
||||||
def ishidden(self):
|
def ishidden(self):
|
||||||
""" return True if the current frame has a var __tracebackhide__
|
""" return True if the current frame has a var __tracebackhide__
|
||||||
resolving to True
|
resolving to True
|
||||||
|
|
||||||
|
If __tracebackhide__ is set to an exception type, or a list/tuple,
|
||||||
|
the traceback is only hidden if the exception which happened is of
|
||||||
|
the given type(s).
|
||||||
|
|
||||||
mostly for internal use
|
mostly for internal use
|
||||||
"""
|
"""
|
||||||
try:
|
try:
|
||||||
return self.frame.f_locals['__tracebackhide__']
|
tbh = self.frame.f_locals['__tracebackhide__']
|
||||||
except KeyError:
|
except KeyError:
|
||||||
try:
|
try:
|
||||||
return self.frame.f_globals['__tracebackhide__']
|
tbh = self.frame.f_globals['__tracebackhide__']
|
||||||
except KeyError:
|
except KeyError:
|
||||||
return False
|
return False
|
||||||
|
|
||||||
|
if self._is_exception_type(tbh):
|
||||||
|
assert self._exctype is not None
|
||||||
|
return issubclass(self._exctype, tbh)
|
||||||
|
elif (isinstance(tbh, (list, tuple)) and
|
||||||
|
all(self._is_exception_type(e) for e in tbh)):
|
||||||
|
assert self._exctype is not None
|
||||||
|
return issubclass(self._exctype, tuple(tbh))
|
||||||
|
else:
|
||||||
|
return tbh
|
||||||
|
|
||||||
def __str__(self):
|
def __str__(self):
|
||||||
try:
|
try:
|
||||||
fn = str(self.path)
|
fn = str(self.path)
|
||||||
|
@ -254,12 +272,13 @@ class Traceback(list):
|
||||||
access to Traceback entries.
|
access to Traceback entries.
|
||||||
"""
|
"""
|
||||||
Entry = TracebackEntry
|
Entry = TracebackEntry
|
||||||
def __init__(self, tb):
|
def __init__(self, tb, exctype=None):
|
||||||
""" initialize from given python traceback object. """
|
""" initialize from given python traceback object and exc type. """
|
||||||
|
self._exctype = exctype
|
||||||
if hasattr(tb, 'tb_next'):
|
if hasattr(tb, 'tb_next'):
|
||||||
def f(cur):
|
def f(cur):
|
||||||
while cur is not None:
|
while cur is not None:
|
||||||
yield self.Entry(cur)
|
yield self.Entry(cur, exctype=exctype)
|
||||||
cur = cur.tb_next
|
cur = cur.tb_next
|
||||||
list.__init__(self, f(tb))
|
list.__init__(self, f(tb))
|
||||||
else:
|
else:
|
||||||
|
@ -283,7 +302,7 @@ class Traceback(list):
|
||||||
not codepath.relto(excludepath)) and
|
not codepath.relto(excludepath)) and
|
||||||
(lineno is None or x.lineno == lineno) and
|
(lineno is None or x.lineno == lineno) and
|
||||||
(firstlineno is None or x.frame.code.firstlineno == firstlineno)):
|
(firstlineno is None or x.frame.code.firstlineno == firstlineno)):
|
||||||
return Traceback(x._rawentry)
|
return Traceback(x._rawentry, self._exctype)
|
||||||
return self
|
return self
|
||||||
|
|
||||||
def __getitem__(self, key):
|
def __getitem__(self, key):
|
||||||
|
@ -302,7 +321,7 @@ class Traceback(list):
|
||||||
by default this removes all the TracebackItems which are hidden
|
by default this removes all the TracebackItems which are hidden
|
||||||
(see ishidden() above)
|
(see ishidden() above)
|
||||||
"""
|
"""
|
||||||
return Traceback(filter(fn, self))
|
return Traceback(filter(fn, self), self._exctype)
|
||||||
|
|
||||||
def getcrashentry(self):
|
def getcrashentry(self):
|
||||||
""" return last non-hidden traceback entry that lead
|
""" return last non-hidden traceback entry that lead
|
||||||
|
@ -366,7 +385,7 @@ class ExceptionInfo(object):
|
||||||
#: the exception type name
|
#: the exception type name
|
||||||
self.typename = self.type.__name__
|
self.typename = self.type.__name__
|
||||||
#: the exception traceback (_pytest._code.Traceback instance)
|
#: the exception traceback (_pytest._code.Traceback instance)
|
||||||
self.traceback = _pytest._code.Traceback(self.tb)
|
self.traceback = _pytest._code.Traceback(self.tb, exctype=self.type)
|
||||||
|
|
||||||
def __repr__(self):
|
def __repr__(self):
|
||||||
return "<ExceptionInfo %s tblen=%d>" % (self.typename, len(self.traceback))
|
return "<ExceptionInfo %s tblen=%d>" % (self.typename, len(self.traceback))
|
||||||
|
|
|
@ -216,6 +216,26 @@ Let's run our little function::
|
||||||
test_checkconfig.py:8: Failed
|
test_checkconfig.py:8: Failed
|
||||||
1 failed in 0.12 seconds
|
1 failed in 0.12 seconds
|
||||||
|
|
||||||
|
If you only want to hide certain exception classes, you can also set
|
||||||
|
``__tracebackhide__`` to an exception type or a list of exception types::
|
||||||
|
|
||||||
|
import pytest
|
||||||
|
|
||||||
|
class ConfigException(Exception):
|
||||||
|
pass
|
||||||
|
|
||||||
|
def checkconfig(x):
|
||||||
|
__tracebackhide__ = ConfigException
|
||||||
|
if not hasattr(x, "config"):
|
||||||
|
raise ConfigException("not configured: %s" %(x,))
|
||||||
|
|
||||||
|
def test_something():
|
||||||
|
checkconfig(42)
|
||||||
|
|
||||||
|
This will avoid hiding the exception traceback on unrelated exceptions (i.e.
|
||||||
|
bugs in assertion helpers).
|
||||||
|
|
||||||
|
|
||||||
Detect if running from within a pytest run
|
Detect if running from within a pytest run
|
||||||
--------------------------------------------------------------
|
--------------------------------------------------------------
|
||||||
|
|
||||||
|
|
|
@ -144,6 +144,39 @@ class TestTraceback_f_g_h:
|
||||||
ntraceback = traceback.filter()
|
ntraceback = traceback.filter()
|
||||||
assert len(ntraceback) == len(traceback) - 1
|
assert len(ntraceback) == len(traceback) - 1
|
||||||
|
|
||||||
|
@pytest.mark.parametrize('tracebackhide, matching', [
|
||||||
|
(ValueError, True),
|
||||||
|
(IndexError, False),
|
||||||
|
([ValueError, IndexError], True),
|
||||||
|
((ValueError, IndexError), True),
|
||||||
|
])
|
||||||
|
def test_traceback_filter_selective(self, tracebackhide, matching):
|
||||||
|
def f():
|
||||||
|
#
|
||||||
|
raise ValueError
|
||||||
|
#
|
||||||
|
def g():
|
||||||
|
#
|
||||||
|
__tracebackhide__ = tracebackhide
|
||||||
|
f()
|
||||||
|
#
|
||||||
|
def h():
|
||||||
|
#
|
||||||
|
g()
|
||||||
|
#
|
||||||
|
|
||||||
|
excinfo = pytest.raises(ValueError, h)
|
||||||
|
traceback = excinfo.traceback
|
||||||
|
ntraceback = traceback.filter()
|
||||||
|
print('old: {!r}'.format(traceback))
|
||||||
|
print('new: {!r}'.format(ntraceback))
|
||||||
|
|
||||||
|
if matching:
|
||||||
|
assert len(ntraceback) == len(traceback) - 2
|
||||||
|
else:
|
||||||
|
# -1 because of the __tracebackhide__ in pytest.raises
|
||||||
|
assert len(ntraceback) == len(traceback) - 1
|
||||||
|
|
||||||
def test_traceback_recursion_index(self):
|
def test_traceback_recursion_index(self):
|
||||||
def f(n):
|
def f(n):
|
||||||
if n < 10:
|
if n < 10:
|
||||||
|
@ -442,7 +475,7 @@ raise ValueError()
|
||||||
f_globals = {}
|
f_globals = {}
|
||||||
|
|
||||||
class FakeTracebackEntry(_pytest._code.Traceback.Entry):
|
class FakeTracebackEntry(_pytest._code.Traceback.Entry):
|
||||||
def __init__(self, tb):
|
def __init__(self, tb, exctype=None):
|
||||||
self.lineno = 5+3
|
self.lineno = 5+3
|
||||||
|
|
||||||
@property
|
@property
|
||||||
|
|
Loading…
Reference in New Issue