pytest官方文檔解讀fixtures調用fixtures及fixture復用性

fixtures調用其他fixtures及fixture復用性 

pytest最大的優點之一就是它非常靈活。

它可以將復雜的測試需求簡化為更簡單和有組織的函數,然後這些函數可以根據自身的需求去依賴別的函數。

fixtures可以調用別的fixtures正是靈活性的體現之一。

一、Fixtures調用別的Fixtures

直接看一個簡單示例:

import pytest
# Arrange
@pytest.fixture
def first_entry():
    # 這是一個fixture函數,返回值:"a"
    return "a"
# Arrange
@pytest.fixture
def order(first_entry):
    # 這是另一個fixture函數,請求瞭上一個fixture函數first_entry(),
    # 並且把first_entry()的返回值,放進瞭列表[]裡,最後返回
    return [first_entry]
def test_string(order):
    # Act
    # 測試函數中請求瞭第二個fixture函數order,可以拿到返回的[]
    order.append("b")
    # Assert
    assert order == ["a", "b"]

可以看到,pytest中的某個fixture請求別的fixture,就像測試函數請求fixture一樣,所有的請求規則都適用。

同樣,如果這些事情換我們自己來做的話,應該是下面這樣子:

def first_entry():
    return "a"
def order(first_entry):
    return [first_entry]
def test_string(order):
    # Act
    order.append("b")
    # Assert
    assert order == ["a", "b"]
entry = first_entry()
the_list = order(first_entry=entry)
test_string(order=the_list)

二、Fixtures的復用性

pytest中的fixtures還可以讓我們像使用普通函數一樣,能夠定義反復重用的通用setup步驟。

兩個不同的測試函數可以請求相同的fixture,每個測試函數都會獲得該fixture的各自結果。

這樣的優點就是,確保不同的測試函數之間不會相互影響。

我們可以使用這種機制來確保每個測試函數都獲得各自新的、幹凈的、一致的數據。

import pytest
# Arrange
@pytest.fixture
def first_entry():
    return "a"
# Arrange
@pytest.fixture
def order(first_entry):
    return [first_entry]
def test_string(order):
    # Act
    order.append("b")
    # Assert
    assert order == ["a", "b"]
def test_int(order):
    # Act
    order.append(2)
    # Assert
    assert order == ["a", 2]

從代碼可以看出,fixture函數order雖然先後被兩個測試函數調用,但是每次被調用給出的結果都是一樣的。並不會因為在測試函數test_string中,進行瞭order.append("b")後,就影響瞭order在測試函數test_int中的返回值。

同樣,這些事情換成我們自己來做,那就是這樣的:

def first_entry():
    return "a"
def order(first_entry):
    return [first_entry]
def test_string(order):
    # Act
    order.append("b")
    # Assert
    assert order == ["a", "b"]
def test_int(order):
    # Act
    order.append(2)
    # Assert
    assert order == ["a", 2]
entry = first_entry()
the_list = order(first_entry=entry)
test_string(order=the_list)
entry = first_entry()
the_list = order(first_entry=entry)
test_int(order=the_list)

接下來,繼續跟著官方文檔解讀fixtures的特點:一次請求多個fixtures、fixtures被多次請求。

以上就是pytest官方文檔解讀fixtures調用fixtures及fixture復用性 的詳細內容,更多關於pytest fixtures調用復用性的資料請關註WalkonNet其它相關文章!

推薦閱讀: