Pytest fixture 之 conftest.py 使用
当我们在工作中出现后面的情况,用例 1 需要先登录,用例 2 不需要登录,用例 3 需要先登录。很显然这就无法用 setup 和 teardown 来实现了。这就是本篇学习的目的,通过 conftest.py 来自定义测试用例的预置条件。
fixture 优势
firture 相对于 setup 和 teardown 来说应该有以下几点优势
命名方式灵活,不局限于 setup 和 teardown 这几个命名
conftest.py 配置里可以实现数据共享,不需要 import 就能自动找到一些配置
scope="module" 可以实现多个.py 跨文件共享前置, 每一个.py 文件调用一次
scope="session" 以实现多个.py 跨文件使用一个 session 来完成多个用例
fixture(scope="function", params=None, autouse=False, ids=None, name=None):
"""使用装饰器标记fixture的功能
** 作者:上海-悠悠 QQ交流群:588402570**
可以使用此装饰器(带或不带参数)来定义fixture功能。 fixture功能的名称可以在以后使用
引用它会在运行测试之前调用它:test模块或类可以使用pytest.mark.usefixtures(fixturename标记。
测试功能可以直接使用fixture名称作为输入参数,在这种情况下,夹具实例从fixture返回功能将被注入。
:arg scope: scope 有四个级别参数 "function" (默认), "class", "module" or "session".
:arg params: 一个可选的参数列表,它将导致多个参数调用fixture功能和所有测试使用它
:arg autouse: 如果为True,则为所有测试激活fixture func 可以看到它。 如果为False(默认值)则显式需要参考来激活fixture
:arg ids: 每个字符串id的列表,每个字符串对应于params 这样他们就是测试ID的一部分。 如果没有提供ID它们将从params自动生成
:arg name: fixture的名称。 这默认为装饰函数的名称。 如果fixture在定义它的同一模块中使用,夹具的功能名称将被请求夹具的功能arg遮蔽; 解决这个问题的一种方法是将装饰函数命名
“fixture_ <fixturename>”然后使用”@ pytest.fixture(name ='<fixturename>')“”。
复制代码
fixture 参数传入(scope="function")
实现场景:用例 1 需要先登录,用例 2 不需要登录,用例 3 需要先登录
# 新建一个文件test_demo.py
# coding:utf-8
import pytest
# 不带参数时默认scope="function"
@pytest.fixture()
def login():
print("输入账号,密码先登录")
def test_s1(login):
print("用例1:登录之后其它动作111")
def test_s2(): # 不传login
print("用例2:不需要登录,操作222")
def test_s3(login):
print("用例3:登录之后其它动作333")
if __name__ == "__main__":
pytest.main(["-s", "test_demo.py"])
复制代码
运行结果:
============================= test session starts =============================
collecting ... collected 3 items
test_demo.py::test_s1 输入账号,密码先登录
PASSED [ 33%]用例1:登录之后其它动作111
test_demo.py::test_s2 PASSED [ 66%]用例2:不需要登录,操作222
test_demo.py::test_s3 输入账号,密码先登录
PASSED [100%]用例3:登录之后其它动作333
============================== 3 passed in 0.02s ==============================
Process finished with exit code 0
复制代码
如果 @pytest.fixture()里面没有参数,那么默认 scope="function",也就是此时的级别的 function,针对函数有效。
conftest.py 配置
上面一个案例是在同一个.py 文件中,多个用例调用一个登陆功能,如果有多个.py 的文件都需要调用这个登陆功能的话,那就不能把登陆写到用例里面去了。此时应该要有一个配置文件,单独管理一些预置的操作场景,pytest 里面默认读取 conftest.py 里面的配置。
conftest.py 配置需要注意以下点:
conftest.py 配置脚本名称是固定的,不能改名称
conftest.py 与运行的用例要在同一个 pakage 下,并且有__init__.py 文件
不需要 import 导入 conftest.py,pytest 用例会自动查找
代码如下:
__init__.py
conftest.py
# coding:utf-8
import pytest
@pytest.fixture()
def login():
print("输入账号,密码先登录")
test_fix1.py
# coding:utf-8
import pytest
def test_s1(login):
print("用例1:登录之后其它动作111")
def test_s2(): # 不传login
print("用例2:不需要登录,操作222")
def test_s3(login):
print("用例3:登录之后其它动作333")
if __name__ == "__main__":
pytest.main(["-s", "test_fix1.py"])
test_fix2.py
# coding:utf-8
import pytest
def test_s4(login):
print("用例4:登录之后其它动作111")
def test_s5(): # 不传login
print("用例5:不需要登录,操作222")
if __name__ == "__main__":
pytest.main(["-s", "test_fix2.py"])
复制代码
单独运行 test_fix1.py 和 test_fix2.py 都能调用到 login()方法,这样就能实现一些公共的操作可以单独拿出来了。
搜索微信公众号: 霍格沃兹测试学院,学习更多测试开发前沿技术
评论