目录
一、pytest 命令行传参
命令行参数是根据命令行选项将不同的值传递给测试函数,比如平常在cmd执行"pytest --html=report.html",这里面的”--html=report.html“就是从命令行传入的参数对应的参数名称是html,参数值是report.html,
总结:
1.conftest.py文件名字是固定的,不可以做任何修改
2.文件和用例文件在同一个目录下,那么conftest.py作用于整个目录
3.conftest.py文件所在目录必须存在__init__.py文件
4.conftest.py文件不能被其他文件导入
5.所有同目录测试文件运行前都会执行conftest.py文件
步骤:
1.首先需要在contetest.py添加命令行选项,命令行传入参数”—cmdopt“, 用例如果需要用到从命令行传入的参数,就调用cmdopt函数:
# content of conftest.py
import pytest
def pytest_addoption(parser):
parser.addoption(
"--cmdopt", action="store", default="type1", help="my option: type1 or type2"
)
@pytest.fixture
def cmdopt(request):
return request.config.getoption("--cmdopt")
2.测试用例编写案例
# content of test_sample.py
import pytest
def test_answer(cmdopt):
if cmdopt == "type1":
print("first")
elif cmdopt == "type2":
print("second")
assert 0 # to see what was printed
if __name__ == "__main__":
pytest.main(["-s", "test_case1.py"])
3.运行结果:
3.带参数启动
如果不带参数执行,那么传默认的default=”type1”,接下来在命令行带上参数去执行
$ pytest -s test_sample.py --cmdopt=type2
二、pytest 断言
断言是判断实际结果与预期结果的重要方法。pytest除了支持正常情况的断言,还支持异常断言。
1、正常断言
正常的断言在上一篇博客中已经有所体现,pytest使用最基本的python中的assert语句进行断言,下面我们再举一个例子
# content of test_assert1.py
def f():
return 3
def test_function():
assert f() == 4
执行上面测试:<