来自 APP Android 端自动化测试初学者的笔记,写的不对的地方大家多多指教哦。
在功能测试过程中,经常会遇到一些偶然出现的 Bug,需要通过重复执行用例来复现问题,那么,在自动化测试的过程中,对于一些偶然出现的 Bug,也可以针对单个用例,或者针对某个模块的用例重复执行多次来复现。
重复执行测试用例的方法这边主要总结了三个:
①重复运行单条或全部测试用例
②测试用例运行失败后重新运行
③测试用例重复运行直到第一次失败后停止
要重复执行测试用例,需要先安装 pytest-repeat 插件
全局安装:即安装在全局环境中,新创建的工程导入全局环境时会将该包导入,cmd 输入:pip install pytest -repeat,安装成功后会显示 repeat 版本号
局部安装:即安装在当前项目的环境下,新创建的工程不会同步该包,在 PyCharm→File→setting,搜索 pytest intrepreter,点击 “+” 号,如下图所示:
再搜索 pytest-repeat,点击 install package 安装
出现下图表示安装成功:
重复执行测试用例的方法有多种,比如:方法一的重复执行单条测试用例;方法二的重复执行每条测试用例;方法三的每条测试用例执行一次,共执行 N 遍。
在测试用例前添加注解@pytest.mark.repeat(value),value 表示重复的次数,来实现单条用例的重复执行。
import pytest
class Test_Pytest:
@pytest.mark.repeat(2)
def test_one(self):
print("test_one方法执行")
def test_two(self):
print("test_two方法执行")
运行结果为:被装饰的测试用例 test_one 会连续执行两次,再执行 test_two,即按照顺序,第一个测试用例执行 N 次,再执行下一个测试用例
在终端传入-count 的方式实现重复执行测试用例
import pytest
class Test_Pytest:
def test_one(self):
print("test_one方法执行")
def test_two(self):
print("test_two方法执行")
# 在终端(terminal)输入:
pytest -s -v --count=2 test_Pytest.py
运行结果为:测试用例 test_one 会连续执行两次,再执行两次 test_two,即按照执行顺序,每一个测试用例都执行 N 次
注意:-s:表示输出用例中的调式信息,比如 print 的打印信息等。
-v:表示输出用例更加详细的执行信息,比如用例所在的文件及用例名称等。
-repeat-scope 类似于 pytest fixture 的 scope 参数,在终端输入,-repeat-scope 有四个参数:
重运行机制使用到了 pytest 的插件,插件名称为:rerunfailures,要使用它,需要先安装此插件
命令行输入:pip install pytest-rerunfailures
出现下图表示安装成功:
import pytest
class TestFailure:
# 用例失败后重新运行2次,重运行之间的间隔时间为10s
@pytest.mark.flaky(reruns=2, reruns_delay=10)
def test_one(self):
a = 1 + 2
assert 1 == a
def test_two(self):
a = 1 + 2
assert 3 == a
运行结果如下:
注意:
# 用例失败后重新运行2次,重运行之间的间隔时间为10s
import pytest
class TestFailure:
def test_one(self):
a = 1 + 2
assert 1 == a
def test_two(self):
a = 1 + 2
assert 3 == a
# 在终端(terminal)输入:
pytest -s -v --reruns=2 --reruns-delay=10 test.py
运行结果如下:
将 pytest 的 -x 选项与 pytest-repeat 结合使用,可以实现在重复运行测试用例的过程中,测试用例第一次失败时就停止运行,具体实现方法如下:
# 重复运行5次,运行过程中第一次失败时就停止运行
import pytest
class TestFailure:
def test_one(self):
a = 1 + 2
assert 1 == a
def test_two(self):
a = 1 + 2
assert 3 == a
# 在终端(terminal)输入:
pytest -s -v --count=5 -x test.py
运行结果如下: