使用@pytest.mark.skip()后,使用主程序文件运行pytest测试用例,该如何设置参数才能跳过@pytest.mark.skip装饰器下的测试用例?
时间: 2024-03-19 08:03:44 浏览: 58
如果你想在运行pytest时跳过使用了`@pytest.mark.skip`标记的测试用例,可以在运行pytest时添加参数`-rsx`,其中:
- `-r`选项表示输出测试结果的详细等级
- `-s`选项表示输出所有的print语句
- `-x`选项表示在第一个测试用例失败时停止测试
如果你不想输出print语句,可以省略`-s`选项,使用如下命令可以跳过`@pytest.mark.skip`标记的测试用例:
```
pytest -rsx
```
相关问题
@pytest.mark.parametrize 或者 @pytest.mark.allure.step用法
`@pytest.mark.parametrize` 是 pytest 提供的一个装饰器,可以用于参数化测试用例。它可以让我们在测试用例中使用多组参数来执行同一个测试用例,从而减少测试用例的编写量,提高效率。
示例代码:
```python
import pytest
@pytest.mark.parametrize("input, expected_output", [
(1, 2),
(2, 3),
(3, 4),
(4, 5),
])
def test_increment(input, expected_output):
assert input+1 == expected_output
```
`@pytest.mark.allure.step` 也是 pytest 提供的一个装饰器,用于生成测试报告。它可以将测试用例中的每个步骤作为报告的一个单独的步骤展示,从而更直观地展示测试用例的执行情况。
示例代码:
```python
import pytest
import allure
@allure.step("输入用户名和密码")
def input_username_and_password(username, password):
pass
@allure.step("点击登录按钮")
def click_login_button():
pass
@allure.step("验证登录成功")
def verify_login_success():
pass
def test_login():
input_username_and_password("testuser", "testpass")
click_login_button()
verify_login_success()
```
以上是 `@pytest.mark.parametrize` 和 `@pytest.mark.allure.step` 的基本用法。需要注意的是,`@pytest.mark.allure.step` 需要安装 `pytest-allure-adaptor` 才能正常使用。
@pytest.mark.parametrize和@pytest.fixture区别
`@pytest.mark.parametrize`和`@pytest.fixture`是两个在pytest测试框架中经常使用的装饰器,它们的作用不同。
`@pytest.mark.parametrize`用于参数化测试用例,可以将多组参数传递给同一个测试用例函数,从而减少代码量,提高测试效率。
`@pytest.fixture`用于创建测试用例函数的前置条件,可以在测试用例函数执行之前完成一些准备工作,例如创建测试数据、连接数据库等。
下面是一个简单的例子,演示了如何使用这两个装饰器:
```python
import pytest
# 使用@pytest.fixture创建一个前置条件
@pytest.fixture
def prepare_data():
data = [1, 2, 3, 4, 5]
return data
# 使用@pytest.mark.parametrize参数化测试用例
@pytest.mark.parametrize("test_input, expected_output", [
(1, 2),
(2, 4),
(3, 6),
(4, 8),
(5, 10)
])
def test_multiply(prepare_data, test_input, expected_output):
# 在测试用例函数中使用前置条件
result = [x * test_input for x in prepare_data]
assert result == [x * expected_output for x in prepare_data]
```
在上面的例子中,`prepare_data`是一个前置条件,它返回一个列表。`test_multiply`是一个测试用例函数,使用了`@pytest.mark.parametrize`装饰器,将多组参数传递给同一个测试用例函数。在测试用例函数中,使用了`prepare_data`前置条件,对参数化后的测试用例进行了测试。
阅读全文