Pytest系列分享
Pytest系列(一)初次了解
Pytest(二)执行规则以及编写执行多条用例
Pytest(三)Pytest执行命令
Pytest(四)Pytest断言
Pytest(五)标记函数
Pytest(六)跳过测试
Pytest(七) pytest之参数化
Pytest(八) pytest Fixture(一)
Pytest(九) pytest Fixture(二)
Pytest(十) pytest Fixture(三)
Pytest(十一) pytest ini文件
Pytest(十二) Pytest产生测试报告
Pytest(十三)durations统计用例运行时间
Pytest(十四)用例执行顺序
Pytest(十五)重试机制
Pytest(十六)多进程并发执行
Pytest(十七)pytest增加log日志
Pytest(十八)setup和teardown
Pytest(十九)利用内置的cache 写入和读取缓存数据解决简单的数据依赖
Pytest(二十)揭秘如何利用allure标记case的重要性
Pytest(二十一)利用allure增加一些文本、截图等
Pytest(二十二)利用allure增加对用例步骤等描述
pytest在执行用例的时候,当用例报错的时候,如何获取到报错的完整内容呢?
当用例有print()打印的时候,如何获取到打印的内容?
那么应该如何做?
答案是 使用钩子函数:pytest_runtest_makereport
代码语言:javascript复制那么pytest_runtest_makereport作用:
对于给定的测试用例(item)和调用步骤(call),
返回一个测试报告对象(_pytest.runner.TestReport);
具体表现为:这个钩子方法会被每个测试用例调用 3 次,分别是:
用例的 setup 执行完毕后,调用 1 次,返回 setup 的执行结果;
用例执行完毕之后,调用 1 次,返回测试用例的执行结果;
用例的 teardown 执行完毕后,调用1 次,返回 teardown 的执行结果;
那么应该如何使用呢,我们去看一个简单的例子
在conftest.py配置
代码语言:javascript复制import pytest
@pytest.hookimpl(hookwrapper=True, tryfirst=True)
def pytest_runtest_makereport(item, call):
out = yield # 钩子函数
res = out.get_result() # 获取用例执行结果
print(res)
if res.when == "call": # 只获取call用例失败时的信息
print("item:{}".format(item))
print("用例描述:{}".format(item.function.__doc__))
print("异常:{}".format(call.excinfo))
print("详细日志:{}".format(res.longrepr))
print("测试结果:{}".format(res.outcome))
print("用例耗时:{}".format(res.duration))
print(res.__dict__)
去执行下对应的用例,看下执行的结果:
代码语言:javascript复制test_11.py::test_1 <TestReport 'test_11.py::test_1' when='setup' outcome='passed'>
获取到的id: leisi说测试
fixture 中返回: leisi说测试
<TestReport 'test_11.py::test_1' when='call' outcome='passed'>
item:<Function test_1>
用例描述:None
异常:None
详细日志:None
测试结果:passed
用例耗时:0.0007911720000000066
{'nodeid': 'test_11.py::test_1', 'location': ('test_11.py', 162, 'test_1'), 'keywords': {'test_1': 1, 'test_11.py': 1, 'pyteststuday': 1}, 'outcome': 'passed', 'longrepr': None, 'when': 'call', 'user_properties': [], 'sections': [], 'duration': 0.0007911720000000066}
PASSED<TestReport 'test_11.py::test_1' when='teardown' outcome='passed'>
当然在前面的使用的时候说的setup和teardown也是可以满足的。
代码语言:javascript复制class Test(object):
def setup(self):
print('11')
def teardown(self):
print('2222')
def test_1(self):
print("test")
assert 1,2
我们看下执行结果
可以正常输出内容信息。而且我们看到一共调用了三次。和我们前面说的是一致的。