Can I perform multiple assertions in pytest? Can I perform multiple assertions in pytest? selenium selenium

Can I perform multiple assertions in pytest?


As Jon Clements commented, you can fill a list of error messages and then assert the list is empty, displaying each message when the assertion is false.

concretely, it could be something like that:

def test_something(self):    errors = []    # replace assertions by conditions    if not condition_1:        errors.append("an error message")    if not condition_2:        errors.append("an other error message")    # assert no error message has been registered, else print messages    assert not errors, "errors occured:\n{}".format("\n".join(errors))

The original assertions are replaced by if statements which append messages to an errors list in case condition are not met.Then you assert the errors list is empty (an empty list is False) and make the assertion message contains each message of the errors list.


You could also make a test generator as described in the nose documentation. I did not find any pytest doc which describes it, but I know that pytest handled this exactly the same manner as nose.


pytest-assume is "a pytest plugin that allows multiple failures per test". Here's an example of how you would use it (taken from the README):

import pytest@pytest.mark.parametrize(('x', 'y'), [(1, 1), (1, 0), (0, 1)])def test_simple_assume(x, y):    pytest.assume(x == y)    pytest.assume(True)    pytest.assume(False)

Even though some of the assertions fail, they all get evaluated and reported:

======================================== FAILURES =========================================_________________________________ test_simple_assume[1-1] _________________________________>    pytest.assume(False)test_assume.py:7y          = 1x          = 1----------------------------------------Failed Assumptions:1_________________________________ test_simple_assume[1-0] _________________________________>    pytest.assume(x == y)test_assume.py:5y          = 0x          = 1>    pytest.assume(False)test_assume.py:7y          = 0x          = 1----------------------------------------Failed Assumptions:2_________________________________ test_simple_assume[0-1] _________________________________>    pytest.assume(x == y)test_assume.py:5y          = 1x          = 0>    pytest.assume(False)test_assume.py:7y          = 1x          = 0----------------------------------------Failed Assumptions:2================================ 3 failed in 0.02 seconds =================================


yet another library is available by the author of the 2017 Pragmatic book on pytest, Brian Okken.https://pythontesting.net/books/pytest/https://github.com/okken/pytest-check

import pytest_check as checkdef test_example():    a = 1    b = 2    c = [2, 4, 6]    check.greater(a, b)    check.less_equal(b, a)    check.is_in(a, c, "Is 1 in the list")    check.is_not_in(b, c, "make sure 2 isn't in list")