pytest(9):skip、skipif跳过用例

前言

  • pytest.mark.skip  可以标记无法在某些平台上运行的测试功能,或者您希望失败的测试功能
  • 希望满足某些条件才执行某些测试用例,否则pytest会跳过运行该测试用例
  • 实际常见场景:跳过非Windows平台上的仅Windows测试,或者跳过依赖于当前不可用的外部资源(例如数据库)的测试

@pytest.mark.skip

跳过执行测试用例,有可选参数reason:跳过的原因,会在执行结果中打印

import pytest


@pytest.fixture(autouse=True)
def login():
    print("====登录====")


def test_case01():
    print("我是测试用例11111")


@pytest.mark.skip(reason="不执行该用例!!因为没写好!!")
def test_case02():
    print("我是测试用例22222")


class Test1:

    def test_1(self):
        print("%% 我是类测试用例1111 %%")

    @pytest.mark.skip(reason="不想执行")
    def test_2(self):
        print("%% 我是类测试用例2222 %%")


@pytest.mark.skip(reason="类也可以跳过不执行")
class TestSkip:
    def test_1(self):
        print("%% 不会执行 %%")

执行结果

pytest(9):skip、skipif跳过用例

 

 

知识点

  • @pytest.mark.skip 可以加在函数上,类上,类方法上
  • 如果加在类上面,类里面的所有测试用例都不会执行
  • 以上小案例都是针对:整个测试用例方法跳过执行,如果想在测试用例执行期间跳过不继续往下执行呢?

pytest.skip()函数基础使用

作用:在测试用例执行期间强制跳过不再执行剩余内容

类似:在Python的循环里面,满足某些条件则break 跳出循环

def test_function():
    n = 1
    while True:
        print(f"这是我第{n}条用例")
        n += 1
        if n == 5:
            pytest.skip("我跑五次了不跑了")

pytest(9):skip、skipif跳过用例

 

 

pytest.skip(msg="",allow_module_level=False)

当 allow_module_level=True 时,可以设置在模块级别跳过整个模块

import pytest

# @pytest.mark.skip(reason='老子不想执行')
@pytest.mark.skip(allow_module_level=True,reason='老子不想执行')
class Test_skip(object):
def test_A(self):
print(1)
def test_B(self):
print(2)
def test_c():
print(3)

执行结果

collecting ... 
Skipped: skipping windows-only tests
collected 0 items / 1 skipped

============================= 1 skipped in 0.15s ==============================

@pytest.mark.skipif(condition, reason="")

作用:希望有条件地跳过某些测试用例

注意:condition需要返回True才会跳过

跳过标记

  • 可以将 pytest.mark.skip 和 pytest.mark.skipif 赋值给一个标记变量
  • 在不同模块之间共享这个标记变量
  • 若有多个模块的测试用例需要用到相同的 skip 或 skipif ,可以用一个单独的文件去管理这些通用标记,然后适用于整个测试用例集
import pytest
import sys
a=1
skip_pytest=pytest.mark.skip(reason='不能在window上运行')
skipif_pytest=pytest.mark.skipif(a==1,reason='不能在window上运行')
@skip_pytest
class Test_skip(object):
@skipif_pytest
def test_function(self):

print('1')

def test_function2(self):

print('2')

@skip_pytest
def test_function3(self):

print('2')

执行结果

pytest(9):skip、skipif跳过用例

 

上一篇:Java锁与线程的那些“不可描述”的事儿


下一篇:pytest测试框架系列 - Pytest 自定义mark标记筛选用例实战