pytestx重新定义接口框架设计

概览

脚手架:

目录:

用例代码:

"""
测试登录到下单流程,需要先启动后端服务
"""test_data = {"查询SKU": {"skuName": "电子书"},"添加购物车": {"skuId": 123,"skuNum": 2},"下单": {"orderId": 222,"payAmount": "0.2"},"支付": {"skuId": 123,"price": 0.1,"skuNum": 2,"totalPrice": 0.2},
}
case_vars = dict()def test(http, login_headers, file_data):# 搜索商品url = file_data["domain"] + "/api/tasks/mock/searchSku"body = test_data["查询SKU"]response = http("get", url=url, headers=login_headers, params=body)assert response.status_code < 400case_vars["skuId"] = response.jsonpath("$.skuId")case_vars["skuPrice"] = response.jsonpath("$.price")# 添加购物车url = file_data["domain"] + "/api/tasks/mock/addCart"body = test_data["添加购物车"]body["skuId"] = case_vars["skuId"]response = http("post", url=url, headers=login_headers, json=body)assert response.status_code < 400case_vars["skuNum"] = response.jsonpath("$.skuNum")case_vars["totalPrice"] = response.jsonpath("$.totalPrice")# 下单url = file_data["domain"] + "/api/tasks/mock/order"body = test_data["下单"]body["skuId"] = case_vars["skuId"]body["price"] = case_vars["skuPrice"]body["skuNum"] = case_vars["skuNum"]body["totalPrice"] = case_vars["totalPrice"]response = http("post", url=url, headers=login_headers, json=body)assert response.status_code < 400case_vars["orderId"] = response.jsonpath("$.orderId")# 支付url = file_data["domain"] + "/api/tasks/mock/pay"body = test_data["支付"]body["orderId"] = case_vars["orderId"]response = http("post", url=url, headers=login_headers, json=body)assert response.status_code < 400assert response.jsonpath("$.success") == "true"

页面下载脚手架

启动平台前后端服务后,从页面下载脚手架,平台会拉取开源项目tep-project最新代码,打成压缩包,生成下载文件,弹窗下载。

备注:tep startproject demo使用的已封版的1.0.0版本,新框架请访问开源项目tep-project,或者开源平台pytestx

精简目录

目录直观上非常精简,得益于去掉了环境变量、函数等目录,聚焦三大目录:

  • fixtures

  • resources

  • tests

重度使用fixture

fixture原本只能在conftest定义,借助pytest插件扩展识别fixtures目录:

#!/usr/bin/python
# encoding=utf-8"""
@Author  :  dongfanger
@Date    :  8/14/2020 9:16 AM
@Desc    :  插件
"""
import osBASE_DIR = os.path.dirname(os.path.abspath(__file__))
RESOURCE_PATH = os.path.join(BASE_DIR, "resources")def fixture_paths():"""fixture路径,1、项目下的fixtures;2、tep下的fixture;:return:"""_fixtures_dir = os.path.join(BASE_DIR, "fixtures")paths = []# 项目下的fixturesfor root, _, files in os.walk(_fixtures_dir):for file in files:if file.startswith("fixture_") and file.endswith(".py"):full_path = os.path.join(root, file)import_path = full_path.replace(_fixtures_dir, "").replace("\\", ".")import_path = import_path.replace("/", ".").replace(".py", "")paths.append("fixtures" + import_path)return pathspytest_plugins = fixture_paths()  # +[其他插件]

conftest.py的fixture全部转移至fixtures目录定义。

公共函数消失,统统通过fixture来实现,依赖注入。

包括requests.request封装

#!/usr/bin/python
# encoding=utf-8import decimal
import json
import timeimport jsonpath
import pytest
import requests
import urllib3
from loguru import logger
from requests import Responseurllib3.disable_warnings(urllib3.exceptions.InsecureRequestWarning)class TepResponse(Response):"""二次封装requests.Response,添加额外方法"""def __init__(self, response):super().__init__()for k, v in response.__dict__.items():self.__dict__[k] = vdef jsonpath(self, expr):"""此处强制取第一个值,便于简单取值如果复杂取值,建议直接jsonpath原生用法"""return jsonpath.jsonpath(self.json(), expr)[0]@pytest.fixture(scope="session")
def http():def inner(method, url, **kwargs):template = """\nRequest URL: {}Request Method: {}Request Headers: {}Request Payload: {}Status Code: {}Response: {}Elapsed: {}"""start = time.process_time()response = requests.request(method, url, **kwargs)  # requests.request原生用法end = time.process_time()elapsed = str(decimal.Decimal("%.3f" % float(end - start))) + "s"headers = kwargs.get("headers", {})kwargs.pop("headers")payload = kwargslog = template.format(url, method, json.dumps(headers), json.dumps(payload), response.status_code,response.text,elapsed)logger.info(log)return TepResponse(response)return inner

只是名字换成了http:

http("post", url=url, headers=login_headers, json=body)

因为request是fixture保留关键字。

数据分离

数据支持从文件读取,当然这也是一个fixture:

import json
import osimport pytest
import yamlfrom conftest import RESOURCE_PATHclass Resource:def __init__(self, path):self.path = pathdef get_data(self):file_type = self._get_file_type()if file_type in [".yml", ".yaml", ".YML", "YAML"]:return self._get_yaml_file_data()if file_type in [".json", ".JSON"]:return self._get_json_file_data()def _get_file_type(self):return os.path.splitext(self.path)[-1]def _get_yaml_file_data(self):with open(self.path, encoding="utf8") as f:return yaml.load(f.read(), Loader=yaml.FullLoader)def _get_json_file_data(self):with open(self.path, encoding="utf8") as f:return json.load(f)@pytest.fixture(scope="session")
def file_data():file_path = os.path.join(RESOURCE_PATH, "demo.yaml")return Resource(file_path).get_data()

也可以放在用例文件中。为什么?“只改数据不动用例代码”,如果没有这种情况,请毫不犹豫将数据放到用例文件中,不要从excel、yaml读取数据,增加无意义的中间转换。从流量回放替代自动化的趋势来看,数据和用例作为整体来维护和运行,会越来越普遍。在使用低代码平台时,测试数据也是写在用例里面,只有少量的公共信息,会抽出来作为变量。测试技术在发展,只有符合当前实际使用需要的,才是最好的。

用例设计

约定大于配置:

  • 数据区域、用例区域分离

  • 用例由步骤组成

  • 步骤分为前置条件、用例体、断言、数据提取

数据区域,接口入参、用例中间变量等:

test_data = {"查询SKU": {"skuName": "电子书"},"添加购物车": {"skuId": 123,"skuNum": 2},"下单": {"orderId": 222,"payAmount": "0.2"},"支付": {"skuId": 123,"price": 0.1,"skuNum": 2,"totalPrice": 0.2},
}
case_vars = dict()

用例定义,test函数,fixture引用:

def test(http, login_headers, file_data):

步骤:

# 搜索商品
url = file_data["domain"] + "/api/tasks/mock/searchSku"
body = test_data["查询SKU"]response = http("get", url=url, headers=login_headers, params=body)
assert response.status_code < 400case_vars["skuId"] = response.jsonpath("$.skuId")
case_vars["skuPrice"] = response.jsonpath("$.price")

每个用例文件单独可运行。不存在用例依赖,复用步骤封装为fixture,以依赖注入方式在各用例中复用。用例一定要解耦,这在任务调度时非常重要。

总结,重新定义目录,重新定义用例组织,重新定义fixture,减少过程代码,专注于用例编写,轻松上手pytest。

跟着pytestx学习接口自动化框架设计,更简单,更稳定,更高效。

https://github.com/dongfanger/pytestx

https://gitee.com/dongfanger/tep-project

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.hqwc.cn/news/83927.html

如若内容造成侵权/违法违规/事实不符,请联系编程知识网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

一篇文章带你彻底了解Java常用的设计模式

文章目录 前言1. 工厂模式使用示例代码优势 2. 单例模式说明使用示例代码优势 3. 原型模式使用示例代码优势 4. 适配器模式使用示例代码优势 5. 观察者模式使用示例代码优势 6. 策略模式使用示例代码优势 7. 装饰者模式使用示例代码优势 8. 模板方法模式使用示例代码优势 总结 …

网络学生用品商店系统设计与实现(论文+源码)_kaic

摘 要 随着互联网的发展&#xff0c;人们的生活发生了巨大的变化&#xff0c;给人们的生活、工作等方面带来了相当大的提高&#xff0c;电子化成为了节约成本、调高效率的代名词。电子商务是利用微电脑技术和网络通讯技术进行的商务活动&#xff0c;买卖双方通过网络所进行各…

Windows商店引入SUSE Linux Enterprise Server和openSUSE Leap

在上个月的Build 2017开发者大会上&#xff0c;微软宣布将SUSE&#xff0c;Ubuntu和Fedora引入Windows 商店&#xff0c;反应出微软对开放源码社区的更多承诺。 该公司去年以铂金会员身份加入Linux基金会。现在&#xff0c;微软针对内测者的Windows商店已经开始提供 部分Linux发…

_数字矩阵

题目&#xff1a;一个3阶的数字矩阵如下&#xff1a; 1 2 3 8 9 4 7 6 5 现在给定数字n(1<n≤20)&#xff0c;输出n阶数字矩阵。 思路&#xff1a; 放出一条好玩的贪吃蛇&#xff0c;按照右下左上的顺序吃蛋糕&#xff0c;一边吃蛋糕&#xff0c;一边拉数字&#xff1b…

提升团队效率!探索多款热门一站式团队协作工具

“常见的几种团队协作工具有&#xff1a;Zoho Projects、Slack、Microsoft Teams、Asana、Trello等。” 团队协作已经成为了企业、组织和个人工作的重要组成部分。为了提高工作效率和协同能力&#xff0c;各种团队协作工具应运而生。本文将介绍团队协作工具的功能以及常见的几种…

LeetCode——有效的括号

这里&#xff0c;我提供一种用栈来解决的方法&#xff1a; 思路&#xff1a;栈的结构是先进后出&#xff0c;这样我们就可以模拟栈结构了&#xff0c;如果是‘&#xff08;’、‘{’、‘[’任何一种&#xff0c;直接push进栈就可以了&#xff0c;如果是‘}’、‘&#xff09;’…

vue3将通用组件注册成全局组件

一、问题重现 我们用过vue的人都知道会有一个components文件夹用来存放我们的通用组件&#xff1a; 这里我的通用组件就有四个&#xff0c;但是有一些是使用评率比较高的&#xff0c;如果很多地方要使用我还得导入相同的组件&#xff0c;写的都是一样的代码&#xff1a; impo…

wireshark进行网络监听

一、实验目的&#xff1a; 1&#xff09;掌握使用CCProxy配置代理服务器&#xff1b; 2&#xff09;掌握使用wireshark抓取数据包&#xff1b; 3&#xff09;能够对数据包进行简单的分析。 二、预备知识&#xff1a; 包括监听模式、代理服务器、中间人攻击等知识点&#xf…

研磨设计模式day09原型模式

目录 场景 代码实现 有何问题 解决方案 代码改造 模式讲解 原型与new 原型实例与克隆出来的实例 浅度克隆和深度克隆 原型模式的优缺点 思考 何时选用&#xff1f; 相关模式 场景 代码实现 定义订单接口 package com.zsp.bike.day08原型模式;/*** 订单的接口*…

跨境出海:如何轻松应对多账号管理

在如今的跨境电商时代&#xff0c;成功经营一个线上店铺不再仅仅需要商品和服务&#xff0c;还需要精通广告投放、营销策略等多个领域。 然而&#xff0c;老练的电商从业者知道&#xff0c;如果不重视平台账号的管理方法&#xff0c;可能会导致店铺或营销账号被关联&#xff0…

Idea配置Remote Host

一、打开RemoteHost窗口 双击shift打开全局搜索 搜索Tools→Deployment→Browse Remote Host或 idea项目顶部Tools→Deployment→Browse Remote Host 二、添加服务 右侧边栏打开RemoteHost&#xff0c;点击三个点&#xff0c;起个名字&#xff0c;选择type为SFTP&#xff…

二叉树、红黑树、B树、B+树

二叉树 一棵二叉树是结点的一个有限集合&#xff0c;该集合或者为空&#xff0c;或者是由一个根节点加上两棵别称为左子树和右子树的二叉树组成。 二叉树的特点&#xff1a; 每个结点最多有两棵子树&#xff0c;即二叉树不存在度大于2的结点。二叉树的子树有左右之分&#xf…