Python3测试用例(doctests)失败了我的示例代码。但同样在Python2中运行良好。
test.py
class Test(object):
def __init__(self, a=0):
self.a = a
def __getattr__(self, attr):
return Test(a=str(self.a) + attr)
tst.py
from test import Test
t = Test()
运行测试用例:python3 -m doctest -v tst.py
错误:
Traceback (most recent call last):
File "/usr/lib/python3.6/runpy.py", line 193, in _run_module_as_main
"__main__", mod_spec)
File "/usr/lib/python3.6/runpy.py", line 85, in _run_code
exec(code, run_globals)
File "/usr/lib/python3.6/doctest.py", line 2787, in <module>
sys.exit(_test())
File "/usr/lib/python3.6/doctest.py", line 2777, in _test
failures, _ = testmod(m, verbose=verbose, optionflags=options)
File "/usr/lib/python3.6/doctest.py", line 1950, in testmod
for test in finder.find(m, name, globs=globs, extraglobs=extraglobs):
File "/usr/lib/python3.6/doctest.py", line 933, in find
self._find(tests, obj, name, module, source_lines, globs, {})
File "/usr/lib/python3.6/doctest.py", line 992, in _find
if ((inspect.isroutine(inspect.unwrap(val))
File "/usr/lib/python3.6/inspect.py", line 513, in unwrap
raise ValueError('wrapper loop when unwrapping {!r}'.format(f))
ValueError: wrapper loop when unwrapping <test.Test object at 0x7f6e80028550>
任何人都可以帮忙解决这个错误。
感谢。
答案 0 :(得分:4)
这可以说是doctest中的一个错误。发生的事情是doctest正在使用docstring搜索函数/方法/ callables,并且在执行此操作时它会unwrapping找到任何装饰器。为什么会这样,我不知道。但无论如何,doctest最终会调用inspect.unwrap(t)
(其中t
是Test
实例),这基本上等同于这样做:
while True:
try:
t = t.__wrapped__
except AttributeError:
break
由于t
是Test
个实例,因此访问t.__wrapped__
会调用__getattr__
并返回一个新的Test
实例。这将永远持续下去,但是inspect.unwrap
足够聪明,可以注意到它没有到达任何地方,并抛出异常而不是进入无限循环。
作为一种变通方法,您可以重写__getattr__
方法,以便在访问AttributeError
时抛出__wrapped__
。更好的是,当访问任何 dunder-attribute时抛出AttributeError:
def __getattr__(self, attr):
if attr.startswith('__') and attr.endswith('__'):
raise AttributeError
return Test(a=str(self.a) + attr)
答案 1 :(得分:1)
对于unittest.mock
尝试将项目导入为
from unittest import mock
而不是
from unittest.mock import patch
这解决了我的错误。