python-pytest学习(十二)-标记失败xfail
作者:互联网
一、前言
当用例a失败的时候,如果用例b和用例c都是依赖于第一个用例的结果,那可以直接跳过用例b和c的测试,直接给他标记失败xfail
用到的场景,登录是第一个用例,登录之后的操作b是第二个用例,登录之后操作c是第三个用例,很明显三个用例都会用到登录操作。
例,很明显三个用例都会用到登录操作。
如果登录都失败了,那后面2个用例就没测试必要了,直接跳过,并且标记为失败用例,这样可以节省用例时间。
二、用例设计
pytest里面用xfail标记用例未失败的用例,可以直接跳过。实现基本思路:
1.把登录写为前置操作;
2.对登录的用户和密码参数化,参数用canshu = [{"user":"admin","pws":"111"}]表示;
3.多个用例放到一个Test_xx的class里;
4.test_01,test_02,test_03全部调用fixture里面的login功能;
5.test_01测试登录用例
6.test_02和test_03执行前用if判断登录的结果,登录失败就执行,pytest.xfail("登录不成功,标记为xfail")
import pytest data = [{"user":"admin","psw":"111"},{"user":"","psw":""}] @pytest.fixture(scope="module") def login(request): user = request.param["user"] psw = request.param["psw"] print("正在操作登录,账号:%s,密码:%s"%(user,psw)) if psw: return True else: return False @pytest.mark.parametrize("login",data,indirect=True) class Test_xx(): def test_01(self,login): """用例1登录""" result = login print("用例1:%s"%result) assert result == True def test_02(self,login): result = login print("用例2:%s"%result) if not result: pytest.xfail("登录不成功,标记为xfail") assert 1==1 def test_03(self,login): result = login print("用例3:%s"%result) if not result: pytest.xfail("登录不成功,标记为xfail") if __name__=="__main__": pytest.main(["-s","test_05.py"])
运行结果:
F用例1:False test_05.py:16 (Test_xx.test_01[login1]) False != True Expected :True Actual :False <Click to see difference> self = <test20200508.test_05.Test_xx object at 0x00000185B4035B48> login = False def test_01(self,login): """用例1登录""" result = login print("用例1:%s"%result) > assert result == True E assert False == True test_05.py:21: AssertionError x用例2:False self = <test20200508.test_05.Test_xx object at 0x00000185B402FD88> login = False def test_02(self,login): result = login print("用例2:%s"%result) if not result: > pytest.xfail("登录不成功,标记为xfail") E _pytest.outcomes.XFailed: 登录不成功,标记为xfail test_05.py:27: XFailed x用例3:False self = <test20200508.test_05.Test_xx object at 0x00000185B3FC24C8> login = False def test_03(self,login): result = login print("用例3:%s"%result) if not result: > pytest.xfail("登录不成功,标记为xfail") E _pytest.outcomes.XFailed: 登录不成功,标记为xfail test_05.py:34: XFailed [100%]
上面传的登录参数是登录成功的案例,三个用例全部通过;第二组参数登录失败,第一个用例就失败了,用例2和3都没执行,直接标记为xfail。
标签:登录,用例,python,xfail,pytest,result,test,login 来源: https://www.cnblogs.com/zhaocbbb/p/12845555.html