目錄html
往期索引:http://www.javashuo.com/article/p-wpvwlyap-bn.htmlpython
在實際工做中,測試用例可能須要支持多種場景,咱們能夠把和場景強相關的部分抽象成參數,經過對參數的賦值來驅動用例的執行;數據庫
參數化的行爲表如今不一樣的層級上:api
fixture
的參數化:參考 四、fixtures:明確的、模塊化的和可擴展的 -- fixture
的參數化;bash
測試用例的參數化:使用@pytest.mark.parametrize
能夠在測試用例、測試類甚至測試模塊中標記多個參數或fixture
的組合;app
另外,咱們也能夠經過pytest_generate_tests
這個鉤子方法自定義參數化的方案;模塊化
@pytest.mark.parametrize
標記@pytest.mark.parametrize
的根本做用是在收集測試用例的過程當中,經過對指定參數的賦值來新增被標記對象的調用(執行);測試
首先,咱們來看一下它在源碼中的定義:ui
# _pytest/python.py def parametrize(self, argnames, argvalues, indirect=False, ids=None, scope=None):
着重分析一下各個參數:this
argnames
:一個用逗號分隔的字符串,或者一個列表/元組,代表指定的參數名;
對於argnames
,實際上咱們是有一些限制的:
只能是被標記對象入參的子集:
@pytest.mark.parametrize('input, expected', [(1, 2)]) def test_sample(input): assert input + 1 == 1
test_sample
中並無聲明expected
參數,若是咱們在標記中強行聲明,會獲得以下錯誤:
In test_sample: function uses no argument 'expected'
不能是被標記對象入參中,定義了默認值的參數:
@pytest.mark.parametrize('input, expected', [(1, 2)]) def test_sample(input, expected=2): assert input + 1 == expected
雖然test_sample
聲明瞭expected
參數,但同時也爲其賦予了一個默認值,若是咱們在標記中強行聲明,會獲得以下錯誤:
In test_sample: function already takes an argument 'expected' with a default value
會覆蓋同名的fixture
:
@pytest.fixture() def expected(): return 1 @pytest.mark.parametrize('input, expected', [(1, 2)]) def test_sample(input, expected): assert input + 1 == expected
test_sample
標記中的expected(2)
覆蓋了同名的fixture expected(1)
,因此這條用例是能夠測試成功的;
argvalues
:一個可迭代對象,代表對argnames
參數的賦值,具體有如下幾種狀況:
若是argnames
包含多個參數,那麼argvalues
的迭代返回元素必須是可度量的(即支持len()
方法),而且長度和argnames
聲明參數的個數相等,因此它能夠是元組/列表/集合等,代表全部入參的實參:
@pytest.mark.parametrize('input, expected', [(1, 2), [2, 3], set([3, 4])]) def test_sample(input, expected): assert input + 1 == expected
注意:考慮到集合的去重特性,咱們並不建議使用它;
若是argnames
只包含一個參數,那麼argvalues
的迭代返回元素能夠是具體的值:
@pytest.mark.parametrize('input', [1, 2, 3]) def test_sample(input): assert input + 1
若是你也注意到咱們以前提到,argvalues
是一個可迭代對象,那麼咱們就能夠實現更復雜的場景;例如:從excel
文件中讀取實參:
def read_excel(): # 從數據庫或者 excel 文件中讀取設備的信息,這裏簡化爲一個列表 for dev in ['dev1', 'dev2', 'dev3']: yield dev @pytest.mark.parametrize('dev', read_excel()) def test_sample(dev): assert dev
實現這個場景有多種方法,你也能夠直接在一個
fixture
中去加載excel
中的數據,可是它們在測試報告中的表現會有所區別;
或許你還記得,在上一篇教程(十、skip和xfail標記 -- 結合pytest.param
方法)中,咱們使用pytest.param
爲argvalues
參數賦值:
@pytest.mark.parametrize( ('n', 'expected'), [(2, 1), pytest.param(2, 1, marks=pytest.mark.xfail(), id='XPASS')]) def test_params(n, expected): assert 2 / n == expected
如今咱們來具體分析一下這個行爲:
不管argvalues
中傳遞的是可度量對象(列表、元組等)仍是具體的值,在源碼中咱們都會將其封裝成一個ParameterSet
對象,它是一個具名元組(namedtuple),包含values, marks, id
三個元素:
>>> from _pytest.mark.structures import ParameterSet as PS >>> PS._make([(1, 2), [], None]) ParameterSet(values=(1, 2), marks=[], id=None)
若是直接傳遞一個ParameterSet
對象會發生什麼呢?咱們去源碼裏找答案:
# _pytest/mark/structures.py class ParameterSet(namedtuple("ParameterSet", "values, marks, id")): ... @classmethod def extract_from(cls, parameterset, force_tuple=False): """ :param parameterset: a legacy style parameterset that may or may not be a tuple, and may or may not be wrapped into a mess of mark objects :param force_tuple: enforce tuple wrapping so single argument tuple values don't get decomposed and break tests """ if isinstance(parameterset, cls): return parameterset if force_tuple: return cls.param(parameterset) else: return cls(parameterset, marks=[], id=None)
能夠看到若是直接傳遞一個ParameterSet
對象,那麼返回的就是它自己(return parameterset
),因此下面例子中的兩種寫法是等價的:
# src/chapter-11/test_sample.py import pytest from _pytest.mark.structures import ParameterSet @pytest.mark.parametrize( 'input, expected', [(1, 2), ParameterSet(values=(1, 2), marks=[], id=None)]) def test_sample(input, expected): assert input + 1 == expected
到這裏,或許你已經猜到了,pytest.param
的做用就是封裝一個ParameterSet
對象;那麼咱們去源碼裏求證一下吧!
# _pytest/mark/__init__.py def param(*values, **kw): """Specify a parameter in `pytest.mark.parametrize`_ calls or :ref:`parametrized fixtures <fixture-parametrize-marks>`. .. code-block:: python @pytest.mark.parametrize("test_input,expected", [ ("3+5", 8), pytest.param("6*9", 42, marks=pytest.mark.xfail), ]) def test_eval(test_input, expected): assert eval(test_input) == expected :param values: variable args of the values of the parameter set, in order. :keyword marks: a single mark or a list of marks to be applied to this parameter set. :keyword str id: the id to attribute to this parameter set. """ return ParameterSet.param(*values, **kw)
正如咱們所料,如今你應該更明白怎麼給argvalues
傳參了吧;
indirect
:argnames
的子集或者一個布爾值;將指定參數的實參經過request.param
重定向到和參數同名的fixture
中,以此知足更復雜的場景;
具體使用方法能夠參考如下示例:
# src/chapter-11/test_indirect.py import pytest @pytest.fixture() def max(request): return request.param - 1 @pytest.fixture() def min(request): return request.param + 1 # 默認 indirect 爲 False @pytest.mark.parametrize('min, max', [(1, 2), (3, 4)]) def test_indirect(min, max): assert min <= max # min max 對應的實參重定向到同名的 fixture 中 @pytest.mark.parametrize('min, max', [(1, 2), (3, 4)], indirect=True) def test_indirect_indirect(min, max): assert min >= max # 只將 max 對應的實參重定向到 fixture 中 @pytest.mark.parametrize('min, max', [(1, 2), (3, 4)], indirect=['max']) def test_indirect_part_indirect(min, max): assert min == max
ids
:一個可執行對象,用於生成測試ID
,或者一個列表/元組,指明全部新增用例的測試ID
;
若是使用列表/元組直接指明測試ID
,那麼它的長度要等於argvalues
的長度:
@pytest.mark.parametrize('input, expected', [(1, 2), (3, 4)], ids=['first', 'second']) def test_ids_with_ids(input, expected): pass
蒐集到的測試ID
以下:
collected 2 items <Module test_ids.py> <Function test_ids_with_ids[first]> <Function test_ids_with_ids[second]>
若是指定了相同的測試ID
,pytest
會在後面自動添加索引:
@pytest.mark.parametrize('input, expected', [(1, 2), (3, 4)], ids=['num', 'num']) def test_ids_with_ids(input, expected): pass
蒐集到的測試ID
以下:
collected 2 items <Module test_ids.py> <Function test_ids_with_ids[num0]> <Function test_ids_with_ids[num1]>
若是在指定的測試ID
中使用了非ASCII
的值,默認顯示的是字節序列:
@pytest.mark.parametrize('input, expected', [(1, 2), (3, 4)], ids=['num', '中文']) def test_ids_with_ids(input, expected): pass
蒐集到的測試ID
以下:
collected 2 items <Module test_ids.py> <Function test_ids_with_ids[num]> <Function test_ids_with_ids[\u4e2d\u6587]>
能夠看到咱們指望顯示中文
,實際上顯示的是\u4e2d\u6587
;
若是咱們想要獲得指望的顯示,該怎麼辦呢?去源碼裏找答案:
# _pytest/python.py def _ascii_escaped_by_config(val, config): if config is None: escape_option = False else: escape_option = config.getini( "disable_test_id_escaping_and_forfeit_all_rights_to_community_support" ) return val if escape_option else ascii_escaped(val)
咱們能夠經過在pytest.ini
中使能disable_test_id_escaping_and_forfeit_all_rights_to_community_support
選項來避免這種狀況:
[pytest] disable_test_id_escaping_and_forfeit_all_rights_to_community_support = True
再次蒐集到的測試ID
以下:
<Module test_ids.py> <Function test_ids_with_ids[num]> <Function test_ids_with_ids[中文]>
若是經過一個可執行對象生成測試ID
:
def idfn(val): # 將每一個 val 都加 1 return val + 1 @pytest.mark.parametrize('input, expected', [(1, 2), (3, 4)], ids=idfn) def test_ids_with_ids(input, expected): pass
蒐集到的測試ID
以下:
collected 2 items <Module test_ids.py> <Function test_ids_with_ids[2-3]> <Function test_ids_with_ids[4-5]>
經過上面的例子咱們能夠看到,對於一個具體的argvalues
參數(1, 2)
來講,它被拆分爲1
和2
分別傳遞給idfn
,並將返回值經過-
符號鏈接在一塊兒做爲一個測試ID
返回,而不是將(1, 2)
做爲一個總體傳入的;
下面咱們在源碼中看看是如何實現的:
# _pytest/python.py def _idvalset(idx, parameterset, argnames, idfn, ids, item, config): if parameterset.id is not None: return parameterset.id if ids is None or (idx >= len(ids) or ids[idx] is None): this_id = [ _idval(val, argname, idx, idfn, item=item, config=config) for val, argname in zip(parameterset.values, argnames) ] return "-".join(this_id) else: return _ascii_escaped_by_config(ids[idx], config)
和咱們猜測的同樣,先經過zip(parameterset.values, argnames)
將argnames
和argvalues
的值一一對應,再將處理過的返回值經過"-".join(this_id)
鏈接;
另外,若是咱們足夠細心,從上面的源碼中還能夠看出,假設已經經過pytest.param
指定了id
屬性,那麼將會覆蓋ids
中對應的測試ID
,咱們來證明一下:
@pytest.mark.parametrize( 'input, expected', [(1, 2), pytest.param(3, 4, id='id_via_pytest_param')], ids=['first', 'second']) def test_ids_with_ids(input, expected): pass
蒐集到的測試ID
以下:
collected 2 items <Module test_ids.py> <Function test_ids_with_ids[first]> <Function test_ids_with_ids[id_via_pytest_param]>
測試ID
是id_via_pytest_param
,而不是second
;
講了這麼多ids
的用法,對咱們有什麼用呢?
我以爲,其最主要的做用就是更進一步的細化測試用例,區分不一樣的測試場景,爲有針對性的執行測試提供了一種新方法;
例如,對於如下測試用例,能夠經過-k 'Window and not Non'
選項,只執行和Windows
相關的場景:
# src/chapter-11/test_ids.py import pytest @pytest.mark.parametrize('input, expected', [ pytest.param(1, 2, id='Windows'), pytest.param(3, 4, id='Windows'), pytest.param(5, 6, id='Non-Windows') ]) def test_ids_with_ids(input, expected): pass
scope
:聲明argnames
中參數的做用域,並經過對應的argvalues
實例劃分測試用例,進而影響到測試用例的收集順序;
若是咱們顯式的指明scope參數;例如,將參數做用域聲明爲模塊級別:
# src/chapter-11/test_scope.py import pytest @pytest.mark.parametrize('test_input, expected', [(1, 2), (3, 4)], scope='module') def test_scope1(test_input, expected): pass @pytest.mark.parametrize('test_input, expected', [(1, 2), (3, 4)], scope='module') def test_scope2(test_input, expected): pass
蒐集到的測試用例以下:
collected 4 items <Module test_scope.py> <Function test_scope1[1-2]> <Function test_scope2[1-2]> <Function test_scope1[3-4]> <Function test_scope2[3-4]>
如下是默認的收集順序,咱們能夠看到明顯的差異:
collected 4 items <Module test_scope.py> <Function test_scope1[1-2]> <Function test_scope1[3-4]> <Function test_scope2[1-2]> <Function test_scope2[3-4]>
scope
未指定的狀況下(或者scope=None
),當indirect
等於True
或者包含全部的argnames
參數時,做用域爲全部fixture
做用域的最小範圍;不然,其永遠爲function
;
# src/chapter-11/test_scope.py @pytest.fixture(scope='module') def test_input(request): pass @pytest.fixture(scope='module') def expected(request): pass @pytest.mark.parametrize('test_input, expected', [(1, 2), (3, 4)], indirect=True) def test_scope1(test_input, expected): pass @pytest.mark.parametrize('test_input, expected', [(1, 2), (3, 4)], indirect=True) def test_scope2(test_input, expected): pass
test_input
和expected
的做用域都是module
,因此參數的做用域也是module
,用例的收集順序和上一節相同:
collected 4 items <Module test_scope.py> <Function test_scope1[1-2]> <Function test_scope2[1-2]> <Function test_scope1[3-4]> <Function test_scope2[3-4]>
empty_parameter_set_mark
選項默認狀況下,若是@pytest.mark.parametrize
的argnames
中的參數沒有接收到任何的實參的話,用例的結果將會被置爲SKIPPED
;
例如,當python
版本小於3.8
時返回一個空的列表(當前Python
版本爲3.7.3
):
# src/chapter-11/test_empty.py import pytest import sys def read_value(): if sys.version_info >= (3, 8): return [1, 2, 3] else: return [] @pytest.mark.parametrize('test_input', read_value()) def test_empty(test_input): assert test_input
咱們能夠經過在pytest.ini
中設置empty_parameter_set_mark
選項來改變這種行爲,其可能的值爲:
skip
:默認值xfail
:跳過執行直接將用例標記爲XFAIL
,等價於xfail(run=False)
fail_at_collect
:上報一個CollectError
異常;若是一個用例標記了多個@pytest.mark.parametrize
標記,以下所示:
# src/chapter-11/test_multi.py @pytest.mark.parametrize('test_input', [1, 2, 3]) @pytest.mark.parametrize('test_output, expected', [(1, 2), (3, 4)]) def test_multi(test_input, test_output, expected): pass
實際收集到的用例,是它們全部可能的組合:
collected 6 items <Module test_multi.py> <Function test_multi[1-2-1]> <Function test_multi[1-2-2]> <Function test_multi[1-2-3]> <Function test_multi[3-4-1]> <Function test_multi[3-4-2]> <Function test_multi[3-4-3]>
咱們能夠經過對pytestmark
賦值,參數化一個測試模塊:
# src/chapter-11/test_module.py import pytest pytestmark = pytest.mark.parametrize('test_input, expected', [(1, 2), (3, 4)]) def test_module(test_input, expected): assert test_input + 1 == expected
pytest_generate_tests
鉤子方法pytest_generate_tests
方法在測試用例的收集過程當中被調用,它接收一個metafunc
對象,咱們能夠經過其訪問測試請求的上下文,更重要的是,可使用metafunc.parametrize
方法自定義參數化的行爲;
咱們先看看源碼中是怎麼使用這個方法的:
# _pytest/python.py def pytest_generate_tests(metafunc): # those alternative spellings are common - raise a specific error to alert # the user alt_spellings = ["parameterize", "parametrise", "parameterise"] for mark_name in alt_spellings: if metafunc.definition.get_closest_marker(mark_name): msg = "{0} has '{1}' mark, spelling should be 'parametrize'" fail(msg.format(metafunc.function.__name__, mark_name), pytrace=False) for marker in metafunc.definition.iter_markers(name="parametrize"): metafunc.parametrize(*marker.args, **marker.kwargs)
首先,它檢查了parametrize
的拼寫錯誤,若是你不當心寫成了["parameterize", "parametrise", "parameterise"]
中的一個,pytest
會返回一個異常,並提示正確的單詞;而後,循環遍歷全部的parametrize
的標記,並調用metafunc.parametrize
方法;
如今,咱們來定義一個本身的參數化方案:
在下面這個用例中,咱們檢查給定的stringinput
是否只由字母組成,可是咱們並無爲其打上parametrize
標記,因此stringinput
被認爲是一個fixture
:
# src/chapter-11/test_strings.py def test_valid_string(stringinput): assert stringinput.isalpha()
如今,咱們指望把stringinput
當成一個普通的參數,而且從命令行賦值:
首先,咱們定義一個命令行選項:
# src/chapter-11/conftest.py def pytest_addoption(parser): parser.addoption( "--stringinput", action="append", default=[], help="list of stringinputs to pass to test functions", )
而後,咱們經過pytest_generate_tests
方法,將stringinput
的行爲由fixtrue
改爲parametrize
:
# src/chapter-11/conftest.py def pytest_generate_tests(metafunc): if "stringinput" in metafunc.fixturenames: metafunc.parametrize("stringinput", metafunc.config.getoption("stringinput"))
最後,咱們就能夠經過--stringinput
命令行選項來爲stringinput
參數賦值了:
λ pipenv run pytest -q --stringinput='hello' --stringinput='world' src/chapter-11/test_strings.py .. [100%] 2 passed in 0.02s
若是咱們不加--stringinput
選項,至關於parametrize
的argnames
中的參數沒有接收到任何的實參,那麼測試用例的結果將會置爲SKIPPED
λ pipenv run pytest -q src/chapter-11/test_strings.py s [100%] 1 skipped in 0.02s
注意:
不論是
metafunc.parametrize
方法仍是@pytest.mark.parametrize
標記,它們的參數(argnames
)不能是重複的,不然會產生一個錯誤:ValueError: duplicate 'stringinput'
;