python nosetests 设置测试描述
我正在用Python动态创建测试(这是必须的),然后用nosetests来运行,代码如下:
def my_verification_method(param):
""" description """
assert param>0, "something bad..."
def test_apps():
""" make tests on the fly """
param1 = 1
my_verification_method.__doc__ = "test with param=%i" % param1
yield my_verification_method, param1
param1 = 2
my_verification_method.__doc__ = "test with param=%i" % param1
yield my_verification_method, param1
问题是,nosetests输出的是:
make tests on the fly ... ok
make tests on the fly ... ok
这不是我想要的。我希望nosetests的输出是:
test with param=1 ... ok
test with param=2 ... ok
有没有什么建议?
1 个回答
3
这里有一种方法可以实现你想要的功能,但这会绕过 yield
测试生成。简单来说,你可以动态地创建一个空的 unittest.TestCase
,使用下面的 populate()
方法:
from unittest import TestCase
from nose.tools import istest
def my_verification_method(param):
""" description """
print "this is param=", param
assert param > 0, "something bad..."
def method_name(param):
""" this is how you name the tests from param values """
return "test_with_param(%i)" % param
def doc_name(param):
""" this is how you generate doc strings from param values """
return "test with param=%i" % param
def _create(param):
""" Helper method to make functions on the fly """
@istest
def func_name(self):
my_verification_method(param)
return func_name
def populate(cls, params):
""" Helper method that injects tests to the TestCase class """
for param in params:
_method = _create(param)
_method.__name__ = method_name(param)
_method.__doc__ = doc_name(param)
setattr(cls, _method.__name__, _method)
class AppsTest(TestCase):
""" TestCase Container """
pass
test_params = [-1, 1, 2]
populate(AppsTest, test_params)
你应该得到:
$ nosetests doc_test.py -v
test with param=-1 ... FAIL
test with param=1 ... ok
test with param=2 ... ok
你需要更改方法名称和文档字符串,以便正确填充你的类。
编辑:函数名称应该有 self
作为参数,因为它现在是一个类方法。