本文主要是介绍Python接口自动化测试框架(实战篇)-- 进阶pytest测试框架,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
文章目录
- 一、前言
- 二、Pytest和unittest异同
- 2.1、效果展示
- 三、Pytest框架
- 3.1、环境安装(过程简单)
- 3.2、fixtrue夹具
- 3.3、@pytest.mark.xxx装饰器;
- 3.4、@pytest.mark.skip(season="xxx")
- 3.5、@pytest.mark.parametrize(first,second,third...)
- 四、总结
一、前言
怎么来说这一章节呢,有点什么感觉(多此一举),其实在咱们设计框架的时候,很难确定某个组件突然会不满足框架的功能使用了,但是应该保障框架的扩展性,除非重构否则应该兼容原来的框架设计,既然选择了使用unittest测试框架,那么说明它已经能满足当下的需求,如果在中途硬要使用pytest框架替换,题主并不建议重构框架,可以使用pytest测试框架并按它的使用规则开发测试用例类即可。为什么这么说呢?因为Pytest是向下兼容unittest框架的;所以题主才不建议重构原来的框架,因为谁也不确定能不影响原来的用例逻辑、成本预算多大?如此,这个工程可能是有点费成本(对不是一个专职测试开发的岗位而言),如果说是不满足需求才需要重构,那么原有的功能肯定是足够的。
二、Pytest和unittest异同
题主相信在替换unittest测试框架或某个功能组件的时候,一定有些异同会让你选择更优的,否则就没必要替换,即使换那也是无用功而已(刷KPI吗)。
- 用例编写规则:什么Test类名、test_*方法名,这些都可以改成你想要的样子;用法如下:
-
- unittest写的测试用例类必须继承unittest.Testcase类,Pytest完全兼容unittest写的测试用例;
-
- pytest是基于unittest扩展开发的框架,比之更高效、简洁、较好的兼容性,拥有更丰富的插件;
- 前置后置:pytest比起unittest有@pytest.fixture()装饰器,更灵活的setup和teardown方法,且能自定义名称;
- 断言方面:pytest直接使用assert就可以了,unittest是继承了unittest类的self.assertTrue()等诸多方法;
- 报告方面:pytest的效果可能更受人喜爱,且有allure等插件支持,unittest是HTMLTestRunnerNew库提供;
- 失败重跑:这个功能,unittest没有提供;pytest有pytest-rerunfailures插件;
- 参数化:unittest需要结合ddt完成数据驱动,而pytest有@pytest.mark.parametrize装饰器;
- 用例分类:pytest可以通过@pytest.mark装饰器来标记类和方法,unittest则只能在执行的时候指定加载的测试用例套件。
2.1、效果展示
从7个方面对比了两个框架的优劣,选择pytest确实会比unittest要好玩的多,没错,题主用的词叫好玩,所以并不是一定非得的选择Pytest。
-
优劣都是功能方面的对比,所以直接看看效果,先选择一个报告方面的吧:
-
还有前面说关于写测试用例规则上,unittest的命名规则:
-
unittest框架,执行测试用例程序入口写法如下:
'''
Created on 2021年5月12日@author: qguan
'''
import os
import time
import unittestfrom Librarys.HTMLTestRunnerNew import HTMLTestRunnerNew
from common.dirs_config import TESTCASEDIR, REPORTDIR
from unitconfig import env, comm
from utils.handle_notice import send_weixin, upload_weixin# 当前时间
curTime = time.strftime("%Y-%m-%d_%H-%M")# 创建测试套件并加载测试用例
suite = unittest.TestSuite()
loader = unittest.TestLoader()
suite.addTest(loader.discover(start_dir=TESTCASEDIR, pattern='flaget_*.py'))# 拼接测试报告路径及文件名
report_name = os.path.join(REPORTDIR , "FlagetAPI_{}_report_{}.html".format(env, curTime))# 报告生成器
with open(report_name, "wb") as pf:runner = HTMLTestRunnerNew(stream=pf, title="Flaget接口自动化测试报告", tester="joe-tester", description="{}环境,业务场景接口测试".format(env))runner.run(suite)# 组织报告详情msg = "\n \执行环境:{}\n \测试人员:{}\n \开始时间:{}\n \持续时间:{}\n \测试结果:{},通过率为:{} \n \\n \报告详情需要在PC打开,移动端打开为HTML源码!".format(env, runner.tester, str(runner.startTime)[:19], str(runner.duration)[:7], runner.status, runner.passrate)
- pytest只需要import pytest,然后类名以Test开头、方法名以test_开头开始,而它的执行规则可以在pytest.ini配置文件中指定
[pytest]
disable_test_id_escaping_and_forfeit_all_rights_to_community_support = True
addopts = --clean-alluredir --env test
testpaths = ./testcases
python_files = flaget_*.py
python_classes = Test*
python_functions = test*
- 再看pyttest执行程序入口的写法搭配pytest配置文件:
'''
# -*- encoding=utf-8 -*-
'''
import timeimport pytest__author__ = 'Joe'# %Y-%m-%d_%H-%M-%S
curTime = time.strftime("%Y-%m-%d")# "-m", "smoke",
pytest.main(['--alluredir', 'allure-results', '--clean-alluredir']) #
# allure generate AllureReports/ -o allure-reports/ 将xml报告转换成html报告
- 好了,Pytest更多好玩的、不同的用法及优点,请同学们在实战中去发掘,参考Pytest文档!!!
三、Pytest框架
这里说的进阶,不是将原来使用的unittest框架开发的脚本重构,而是使用pytest替代unittest框架开发新的测试用例,原来的用例按需调整即可。
3.1、环境安装(过程简单)
pip install pytest
- 使用示例,请看代码⬇⬇⬇
import pytestclass Test:def test_01_sum(self):assert 3+5==7if __name__ == '__main__':pytest.main()
-
- 对于文件名没要求,是因为题主在pytest.ini配置文件中自定义了,否则它默认找到还是test开头的文件
-
简单的示例没有使用hook函数、fixture、mark、parametrize装饰器等功能,因为这些功能强大,一两个简单的示例很难演示明白,但是可以做个简单的介绍。
3.2、fixtrue夹具
还记得unittest中提到过的夹具吗?pytest又基于unittest开发,那么同样也有夹具的称呼:@pytest.fixture(scope=“session”),它有多个不同的作用域scope.
- 使用场景,类似setup、teardown等测试用例的前后置处理器一样;
@pytest.fixture(scope="session")
def env(request):"""通过命令行读取环境配置信息,默认pytest.ini的参数项"""config_path = os.path.join(request.config.rootdir, "config", request.config.getoption("environment"), "config.yaml")with open(config_path) as fp:env = yaml.load(fp.read(), Loader=yaml.SafeLoader)return env@pytest.fixture()
def getToken():requests.post(url=host + url, json=data, headers=headers)
3.3、@pytest.mark.xxx装饰器;
pytest框架的用例可以使用-m标记执行的测试用例,十分简单;mark后面的xxx是自定义标识名
- mark标记
@pytest.mark.noexcute
def test_00(self):"""pytest -m noexcute 表示执行标记noexcute的用例pytest -m "not noexcute" 表示执行不是标记noexcute的用例"""assert "通过-m参数标记noexcute,则不会选中该用例,但是可以not标记取反"
- 在执行用例的时候,会有collected 5 items / 4 deselected / 1 selected
标识。
3.4、@pytest.mark.skip(season=“xxx”)
@pytest.mark.xxx装饰器,是一个强大的装饰器,可以做的事情很多,比如:打标签、取消、参数化
$ pytest --markers
@pytest.mark.env(name): mark test to run only on named environment@pytest.mark.filterwarnings(warning): add a warning filter to the given test. see https://docs.pytest.org/en/stable/warnings.html#pytest-mark-filterwarnings@pytest.mark.skip(reason=None): skip the given test function with an optional reason. Example: skip(reason="no way of currently testing this") skips the test.@pytest.mark.skipif(condition, ..., *, reason=...): skip the given test function if any of the conditions evaluate to True. Example: skipif(sys.platform == 'win32') skips the test if we are on the win32 platform. See https://docs.pytest.org/en/stable/reference.html#pytest-mark-skipif@pytest.mark.xfail(condition, ..., *, reason=..., run=True, raises=None, strict=xfail_strict): mark the test function as an expected failure if any of the conditions evaluate to True. Optionally specify a reason for better reporting and run=False if you don't even want to execute the test function. If only specific exception(s) are expected, you can list them in raises, and if the test fails in other ways, it will be reported as a true failure. See https://docs.pytest.org/en/stable/reference.html#pytest-mark-xfail@pytest.mark.parametrize(argnames, argvalues): call a test function multiple times passing in different arguments in turn. argvalues generally needs to be a list of values if argnames specifies only one name or a list of tuples of values if argnames specifies multiple names. Example: @parametrize('arg1', [1,2]) would lead to two calls of the decorated test function, one with arg1=1 and another with arg1=2.see https://docs.pytest.org/en/stable/parametrize.html for more info and examples.@pytest.mark.usefixtures(fixturename1, fixturename2, ...): mark tests as needing all of the specified fixtures. see https://docs.pytest.org/en/stable/fixture.html#usefixtures@pytest.mark.tryfirst: mark a hook implementation function such that the plugin machinery will try to call it first/as early as possible.@pytest.mark.trylast: mark a hook implementation function such that the plugin machinery will try to call it last/as late as possible.
3.5、@pytest.mark.parametrize(first,second,third…)
自带数据驱动装饰器,用法与ddt差不太多,主要是以数据生成测试用例。
- 从示例代码看,装饰器接的是list类型的,利于框架遍历
import pytestclass Test:@pytest.mark.parametrize("num", [5, 2])def test_01(self, num):"""pytest示例1"""assert num == 2@pytest.mark.parametrize("actual,excepted", [(3, 2), (2, 2)])def test_02(self, actual, excepted):"""pytest示例2"""assert actual == excepted@pytest.mark.parametrize("actual", [{"key":"value"}])def test_03(self, actual):"""pytest示例3"""print("所以要接嵌套其他序列化类型的列表或元组:{}".format(actual.get("key")))assert not actual
四、总结
关于进阶Pytest框架,是一个相对较大的工程(这里侠义的指替换原来的测试框架,如果一开始就使用高阶的测试框架,那么进阶就是一条完整的大道);在熟悉unittest框架使用的基础上,换成pytest框架,还有更多的功能需要同学们自己去发掘和尝试,咱们这篇是讲设计接口自动化测试框架,如果换成UI自动化测试框架,题主果断提示你选用pytest,不会让同学们再走一遍弯路。
这篇关于Python接口自动化测试框架(实战篇)-- 进阶pytest测试框架的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!