Pytest+request+Allure实现接口自动化框架
作者:程序媛圆圆 发布时间:2023-08-12 17:29:33
前言:
接口自动化是指模拟程序接口层面的自动化,由于接口不易变更,维护成本更小,所以深受各大公司的喜爱。
接口自动化包含2个部分,功能性的接口自动化测试和并发接口自动化测试。
本次文章着重介绍第一种,功能性的接口自动化框架。
一、简单介绍
环境:Mac、Python 3,Pytest,Allure,Request
pytest==3.6.0
pytest-allure-adaptor==1.7.10(弃用)
pytest-rerunfailures==5.0
configparser==3.5.0
PyYAML==3.12
requests==2.18.4
simplejson==3.16.0
----------------------------------------
2020-4-30更新
pytest==5.3.1
allure-pytest==2.8.6
allure-python-commons==2.8.6
⚠️注:pytest-allure-adaptor已弃用,改为allure-pytest;
安装allure-pytest时,需将pytest-allure-adaptor卸载
流程:读取Yaml测试数据-生成测试用例-执行测试用例-生成Allure报告
模块类的设计说明:
Request.py
封装request方法,可以支持多协议扩展(get\post\put)Config.py
读取配置文件,包括:不同环境的配置,email相关配置Log.py
封装记录log方法,分为:debug、info、warning、error、criticalEmail.py
封装smtplib方法,运行结果发送邮件通知Assert.py
封装assert方法run.py
核心代码。定义并执行用例集,生成报告
Yaml测试数据格式如下:
---
Basic:
dec: "基础设置"
parameters:
-
url: /settings/basic.json
data: slug=da1677475c27
header: {
"User-Agent": "Mozilla/5.0 (Macintosh; Intel Mac OS X 10_13_6) AppleWebKit/537.36 (KHTML, like Gecko)\
Chrome/67.0.3396.99 Safari/537.36",
"Content-Type": "keep-alive"
}
二、代码结构与框架流程
1、代码结构见下图:
代码结构.jpg
2、框架流程见下图:
框架流程.jpg
三、详细功能和使用说明
1、定义配置文件config.ini
该文件中区分测试环境[private_debug]和正式环境[online_release]分别定义相关配置项,[mail]部分为邮件相关配置项
# http接口测试框架配置信息
[private_debug]
# debug测试服务
tester = your name
environment = debug
versionCode = your version
host = www.jianshu.com
loginHost = /Login
loginInfo = email=wang@user.com&password=123456
[online_release]
# release正式服务
tester = your name
environment = release
versionCode = v1.0
host = www.jianshu.com
loginHost = /Login
loginInfo = email=wang@user.com&password=123456
[mail]
#发送邮件信息
smtpserver = smtp.163.com
sender = test1@163.com
receiver = wang@user.com
username = wang@user.com
password = 123456
2、读取yaml测试数据后封装
yaml测试数据例子见第一节,一条接口可定义多条case数据,get_parameter为已封装好的读取yaml数据方法,循环读取后将多条case数据存在list中。
class Basic:
params = get_parameter('Basic')
url = []
data = []
header = []
for i in range(0, len(params)):
url.append(params[i]['url'])
data.append(params[i]['data'])
header.append(params[i]['header'])
3、编写用例
class TestBasic:
@allure.feature('Home')
@allure.severity('blocker')
@allure.story('Basic')
def test_basic_01(self, action):
"""
用例描述:未登陆状态下查看基础设置
"""
conf = Config()
data = Basic()
test = Assert.Assertions()
request = Request.Request(action)
host = conf.host_debug
req_url = 'http://' + host
urls = data.url
params = data.data
headers = data.header
api_url = req_url + urls[0]
response = request.get_request(api_url, params[0], headers[0])
assert test.assert_code(response['code'], 401)
assert test.assert_body(response['body'], 'error', u'继续操作前请注册或者登录.')
assert test.assert_time(response['time_consuming'], 400)
Consts.RESULT_LIST.append('True')
4、运行整个框架run.py
if __name__ == '__main__':
# 定义测试集
args = ['-s', '-q', '--alluredir', xml_report_path]
self_args = sys.argv[1:]
pytest.main(args)
cmd = 'allure generate %s -o %s' % (xml_report_path, html_report_path)
try:
shell.invoke(cmd)
except:
log.error('执行用例失败,请检查环境配置')
raise
try:
mail = Email.SendMail()
mail.sendMail()
except:
log.error('发送邮件失败,请检查邮件配置')
raise
5、err.log实例
[ERROR 2018-08-24 09:55:37]Response body != expected_msg, expected_msg is {"error":"继续操作前请注册或者登录9."}, body is {"error":"继续操作前请注册或者登录."}
[ERROR 2018-08-24 10:00:11]Response time > expected_time, expected_time is 400, time is 482.745
[ERROR 2018-08-25 21:49:41]statusCode error, expected_code is 208, statusCode is 200
6、Assert部分代码
def assert_body(self, body, body_msg, expected_msg):
"""
验证response body中任意属性的值
:param body:
:param body_msg:
:param expected_msg:
:return:
"""
try:
msg = body[body_msg]
assert msg == expected_msg
return True
except:
self.log.error("Response body msg != expected_msg, expected_msg is %s, body_msg is %s" % (expected_msg, body_msg))
Consts.RESULT_LIST.append('fail')
raise
def assert_in_text(self, body, expected_msg):
"""
验证response body中是否包含预期字符串
:param body:
:param expected_msg:
:return:
"""
try:
text = json.dumps(body, ensure_ascii=False)
# print(text)
assert expected_msg in text
return True
except:
self.log.error("Response body Does not contain expected_msg, expected_msg is %s" % expected_msg)
Consts.RESULT_LIST.append('fail')
raise
7、Request部分代码
def post_request(self, url, data, header):
"""
Post请求
:param url:
:param data:
:param header:
:return:
"""
if not url.startswith('http://'):
url = '%s%s' % ('http://', url)
print(url)
try:
if data is None:
response = self.get_session.post(url=url, headers=header)
else:
response = self.get_session.post(url=url, params=data, headers=header)
except requests.RequestException as e:
print('%s%s' % ('RequestException url: ', url))
print(e)
return ()
except Exception as e:
print('%s%s' % ('Exception url: ', url))
print(e)
return ()
# time_consuming为响应时间,单位为毫秒
time_consuming = response.elapsed.microseconds/1000
# time_total为响应时间,单位为秒
time_total = response.elapsed.total_seconds()
Common.Consts.STRESS_LIST.append(time_consuming)
response_dicts = dict()
response_dicts['code'] = response.status_code
try:
response_dicts['body'] = response.json()
except Exception as e:
print(e)
response_dicts['body'] = ''
response_dicts['text'] = response.text
response_dicts['time_consuming'] = time_consuming
response_dicts['time_total'] = time_total
return response_dicts
四、Allure报告及Email
1、Allure报告总览,见下图:
Allure报告.jpg
2、Email见下图:
Email.jpg
五、后续优化
1、集成Jenkins,使用Jenkins插件生成Allure报告
2、多线程并发接口自动化测试
3、接口加密,参数加密
来源:https://blog.csdn.net/weixin_54928936/article/details/118737257


猜你喜欢
- 一、asp.net中导出Execl的方法:在asp.net中导出Execl有两种方法,一种是将导出的文件存放在服务器某个文件夹下面,然后将文
- 本文实例为大家分享了python3音乐播放器的关键代码,供大家参考,具体内容如下from tkinter import *from trac
- 原来在robotframework中使用press key方法进行键盘的操作,但是该方法需要写 * 作对象的locator,不是很方便,现在找
- 本文实例讲述了Python计算一个给定时间点前一个月和后一个月第一天的方法。分享给大家供大家参考,具体如下:python如何获取一个时间点的
- 在python中。布尔值有 Ture False 两种。Ture等于对,False等于错。要注意在python中对字母的大小写要求非常严格。
- 背景介绍开发中遇到了一个需求:程序运行到某处时需要用户确认, 但不能一直傻等, 后面的程序不能被一直阻塞, 需要有个超时限制, 也就是这个程
- 1. 安装依赖将PyTorch模型转换为ONNX格式可以使它在其他框架中使用,如TensorFlow、Caffe2和MXNet首先安装以下必
- 1、requests 的常见用法requests 除了 url 之外,还有 params, data 和 files 三个参数,用于和服务器
- 突然想到了之前一直没留意的for循环中开goroutine的执行顺序问题,就找了段代码试了试,试了几次后发现几个有意思的地方,我暂时没有精力
- 1. 什么是phpDocumentor ? PHPDocumentor 是一个用PHP写的工具,对于有规范注释的php程序,它能够快速生成具
- class MyClass(): # 直接将属性定义在类中,这种属性称为 类属性 # 类属性可以通过实列对象和类对象
- 下面展示了图像的加密和解密过程(左边是输入图像,中间是加密后的结果,右边是解密后的图像):1、加密算法要求(1)加密算法必须是可逆的,拥有配
- HTTPX是Python3的功能齐全的HTTP客户端,它提供同步和异步API,并支持HTTP/1.1和HTTP/2安装pip install
- 这是模拟淘宝的一个简易的购物商城程序。用户入口具有以下功能:登录认证可以锁定用户密码输入次数大于3次,锁定用户名连续三次输错用户名退出程序可
- python实现简单的情感分析1 数据导入及预处理1.1 数据导入# 数据导入import pandas as pddata =
- django可以在运行服务器时指定端口号python manage.py runserver 8080我们启动django开发服务器,输入命
- 作为程序员,我们经常需要对时间进行处理。在 Go 中,标准库 time 提供了对应的能力。本文将介绍 time 库中一些重要的函数和方法,希
- 我们需要做的第⼀件事情是获取 MNIST 数据。如果你是⼀个 git ⽤⼾,那么你能够通过克隆这本书的代码仓库获得数据,实现我们的⽹络来分类
- PHP xpath() 函数定义和用法xpath()函数运行对 XML 文档的 XPath 查询。如果成功,该函数返回 SimpleXMLE
- 1. 单行导入与多行导入在 Go 语言中,一个包可包含多个 .go 文件(这些文件必须得在同一级文件夹中),只要这些 .go 文件的头部都使