『德不孤』Pytest框架 — 6、Mark分組執行測試用例

繁華似錦Fighting發表於2022-02-26

1、Pytest中的Mark介紹

Mark主要用於在測試用例/測試類中給用例打標記,實現測試分組功能,並能和其它外掛配合設定測試方法執行順序等。

在實際工作當中,我們要寫的自動化用例會比較多,而且不會都放在一個.py檔案裡。

如下圖,現在需要只執行紅色部分的測試方法,其它方法不執行。

image

2、Mark的使用

在Pytest當中,先給用例打標記,在執行時,通過標記名來過濾測試用例。

步驟:

  1. @pytest.mark.標籤名標記在需要執行的用力上。(標籤名自定義)
  2. 執行測試:pytest 測試套件名 -m 標籤名
  3. 這樣執行會有警告,提示標籤未註冊。

示例:

# 如:在test_01.py檔案的testa()方法上進行mark標識。
@pytest.mark.hellotest
def test_a():
    """購物下單"""
    print("test_01檔案的函式a")
    assert True

# 其他兩個檔案中的方法同理。

執行命令,檢視結果:

if __name__ == '__main__':
    pytest.main(["-vs", "-m", "hellotest"])

# 同理也可以用命令列的方式執行。

"""
執行結果:

test_01.py::test_a test_01檔案的函式a
PASSED
test_02.py::test_b test_02檔案的函式b
PASSED
test_03.py::test_a test_03檔案的函式a
PASSED

3 passed, 3 deselected, 3 warnings
說明:3個用例通過,3個用例沒有選擇,有3個警告
"""

這樣就簡單的實現了Mark標記的使用,但是我們在工作中不這樣用,我們需要把Mark標記進行註冊。

3、Mark的註冊和使用

Mark標籤官方提供的註冊方式有2種,這裡只提供一種最簡單直接的方式:

通過pytest.ini配置檔案註冊。

pytest.ini檔案當中配置:

[pytest] # 固定的section名
markers= # 固定的option名稱,注意縮排。
    標籤名1: 標籤名的說明內容。
    標籤名2: 不寫也可以
    標籤名N

示例:還是上面的練習。

pytest.ini配置檔案內容如下:

[pytest]
addopts = -vs
testpaths = scripts
python_files = test*
python_classes = Test*
python_functions = test*
markers=
    hellotest: Mark Description
    smoke

執行命令,檢視結果:

if __name__ == '__main__':
    pytest.main(["-m", "hellotest"])

"""
執行結果:

test_01.py::test_a test_01檔案的函式a
PASSED
test_02.py::test_b test_02檔案的函式b
PASSED
test_03.py::test_a test_03檔案的函式a
PASSED

3 passed, 3 deselected, 
說明:3個用例通過,3個用例沒有選擇,沒有警告了。
"""

4、使用Mark完成失敗重試

只執行test_01.py檔案中的測試用例:

import pytest


@pytest.mark.hellotest
def test_a():
    """購物下單"""
    print("test_01檔案的函式a")
    assert True


@pytest.mark.Fail_retry
def test_b():
    """購物下單"""
    print("test_01檔案的函式b")
    assert False


if __name__ == '__main__':
    pytest.main(["-m", "Fail_retry"])


"""
執行結果:

test_01.py::test_b test_01檔案的函式b
RERUN
test_01.py::test_b test_01檔案的函式b
RERUN
test_01.py::test_b test_01檔案的函式b
FAILED

1 failed, 1 deselected, 2 rerun
說明:1個失敗,1個取消選擇,2次重跑用例
"""

下面是pytest.ini配置檔案內容:

[pytest]
addopts = -vs --reruns 2(配置重跑兩次)
testpaths = scripts
python_files = test_01.py
python_classes = Test*
python_functions = test*
markers=
    hellotest: Mark Description
    Fail_retry:

5、擴充套件

1)多個Mark標籤可以用在同一個用例上。

@pytest.mark.hello
@pytest.mark.world
def test_a():
    """購物下單"""
    print("test_01檔案的函式a")
    assert True

2)Mark標籤也可以用到測試類上。

@pytest.mark.hello
class Test_Mark:

    @pytest.mark.world
    def test_a(self):
        """購物下單"""
        print("test_01檔案的函式a")
        assert True

工作中的使用場景:冒煙測試,分模組執行測試用例,分接介面執行測試用例等。

參考:

相關文章