pytest中fixture如何传参
时间: 2023-11-07 21:40:13 浏览: 89
在 pytest 中,可以通过使用装饰器 `@pytest.fixture` 来创建 fixture 函数。fixture 函数可以接受参数,以便在测试函数中使用。
要在 fixture 函数中传递参数,可以通过在装饰器中指定参数名称和值来实现。下面是一个示例:
```python
import pytest
@pytest.fixture
def my_fixture(request):
# 获取参数值
param_value = request.param
# 在这里执行一些操作,例如初始化资源
# 返回 fixture 提供的值
yield param_value
# 在这里执行一些清理操作,例如释放资源
def test_my_test(my_fixture):
# 在测试函数中使用 fixture 的值
assert my_fixture == "参数值"
```
在上面的例子中,`my_fixture` 是一个 fixture 函数。它使用了 `@pytest.fixture` 装饰器来标识它是一个 fixture。
在测试函数 `test_my_test` 中,我们将 `my_fixture` 作为参数传递。当运行测试时,pytest 会根据 fixture 的名称来查找匹配的 fixture 函数,并将其返回值传递给测试函数。
要传递参数给 fixture 函数,可以使用 `@pytest.mark.parametrize` 装饰器来指定参数名称和值。例如:
```python
import pytest
@pytest.fixture(params=[1, 2, 3])
def my_fixture(request):
param_value = request.param
yield param_value
@pytest.mark.parametrize("my_fixture", ["参数值"], indirect=True)
def test_my_test(my_fixture):
assert my_fixture == "参数值"
```
在上面的例子中,`@pytest.mark.parametrize` 装饰器指定了参数名称为 "my_fixture",并通过 `indirect=True` 来告诉 pytest 在传递参数时使用 fixture 函数。
注意,参数化的值必须与 fixture 函数的参数名称匹配。
希望这个例子能帮助你理解 pytest 中如何传递参数给 fixture 函数!如有更多问题,请随时提问。
阅读全文