python封装接口自动化测试套件 !

news/2024/11/30 15:43:11/

在Python中,我们可以使用requests库来实现接口自动化测试,并使用unittest或pytest等测试框架来组织和运行测试套件。以下是一个基本的接口自动化测试套件封装示例:

图片

首先,我们需要安装所需的库:

pip install requests pytest

创建一个项目目录结构,如下所示:

project/├── common/           # 公共方法模块│   └── utils.py      # 存放请求、断言等公共函数├── conf/             # 配置模块│   └── config.py     # 存放测试环境、API基础URL等配置信息├── data/             # 测试用例参数模块│   └── test_data.json # 存放测试用例的输入数据├── log/              # 日志模块│   └── log.txt       # 存放测试过程中的日志信息├── report/           # 测试报告模块│   └── report.html   # 自动生成的测试报告├── test_case/        # 测试用例模块│   ├── test_login.py # 登录接口测试用例│   ├── test_signup.py# 注册接口测试用例│   └── ...          # 其他接口测试用例└── testsuite.py      # 测试套件文件,用于组织和运行测试用例

编写各个模块的代码

图片

common/utils.py:封装请求和断言等公共函数。

import requestsimport jsondef send_request(method, url, headers=None, params=None, data=None):    response = requests.request(method, url, headers=headers, params=params, data=data)    response.raise_for_status()  # 如果响应状态不是200,抛出异常    return response.json()def assert_response(response_data, expected_key, expected_value):    assert expected_key in response_data, f"Expected key '{expected_key}' not found in response."    assert response_data[expected_key] == expected_value, f"Expected value for '{expected_key}' is '{expected_value}', but got '{response_data[expected_key]}'"

图片

conf/config.py:配置测试环境和基础URL。

TEST_ENVIRONMENT = "development"BASE_URL = "http://localhost:8000/api/"test_case/test_login.py:编写登录接口测试用例。import jsonfrom project.common.utils import send_request, assert_responsefrom project.conf.config import BASE_URLclass TestLogin:    def test_successful_login(self):        url = f"{BASE_URL}login"        data = {            "username": "test_user",            "password": "test_password"        }        response_data = send_request("POST", url, data=json.dumps(data))        assert_response(response_data, "status", "success")        assert_response(response_data, "message", "Logged in successfully.")    def test_invalid_credentials(self):        url = f"{BASE_URL}login"        data = {            "username": "invalid_user",            "password": "invalid_password"        }        response_data = send_request("POST", url, data=json.dumps(data))        assert_response(response_data, "status", "error")        assert_response(response_data, "message", "Invalid credentials.")

图片

现在我也找了很多测试的朋友,做了一个分享技术的交流群,共享了很多我们收集的技术文档和视频教程。
如果你不想再体验自学时找不到资源,没人解答问题,坚持几天便放弃的感受
可以加入我们一起交流。而且还有很多在自动化,性能,安全,测试开发等等方面有一定建树的技术大牛
分享他们的经验,还会分享很多直播讲座和技术沙龙
可以免费学习!划重点!开源的!!!
qq群号:691998057【暗号:csdn999】

testsuite.py:组织和运行测试用例。

import pytestfrom project.test_case import test_login, test_signup  # 导入其他测试用例模块@pytest.mark.parametrize("test_case_module", [test_login, test_signup])def test_suite(test_case_module):    suite = unittest.TestLoader().loadTestsFromModule(test_case_module)    runner = unittest.TextTestRunner()    results = runner.run(suite)    assert results.wasSuccessful(), "Test suite failed."

图片

运行测试套件:

pytest testsuite.py

这个示例提供了一个基本的接口自动化测试套件的封装结构和代码。你可以根据实际项目的需要对其进行扩展和修改

添加更复杂的断言、错误处理、测试数据管理、报告生成等功能

更复杂的断言

图片

在common/utils.py中,你可以添加更多的断言函数来处理更复杂的情况。例如,检查响应中的某个字段是否在预期的值列表中:

def assert_in_response(response_data, key, expected_values):    assert key in response_data, f"Expected key '{key}' not found in response."    assert response_data[key] in expected_values, f"Expected value for '{key}' to be one of {expected_values}, but got '{response_data[key]}'"

错误处理

图片

在common/utils.py的send_request函数中,你可以添加更详细的错误处理逻辑,例如捕获和记录不同类型的HTTP错误:

def send_request(method, url, headers=None, params=None, data=None):    try:        response = requests.request(method, url, headers=headers, params=params, data=data)        response.raise_for_status()  # 如果响应状态不是200,抛出异常        return response.json()    except requests.exceptions.HTTPError as http_error:        logging.error(f"HTTP error occurred: {http_error}")        raise http_error    except Exception as e:        logging.error(f"Unexpected error occurred: {e}")        raise e

测试数据管理

图片

你可以创建一个单独的模块或文件来管理测试数据。例如,在data/test_data.py中定义一个字典,包含所有测试用例所需的输入数据:​​​​​​​

LOGIN_TEST_DATA = {    "valid_credentials": {        "username": "test_user",        "password": "test_password"    },    "invalid_credentials": {        "username": "invalid_user",        "password": "invalid_password"    }}

然后在测试用例中使用这些数据:​​​​​​​

from project.data.test_data import LOGIN_TEST_DATAclass TestLogin:    def test_successful_login(self):        url = f"{BASE_URL}login"        data = LOGIN_TEST_DATA["valid_credentials"]        response_data = send_request("POST", url, data=json.dumps(data))        assert_response(response_data, "status", "success")        assert_response(response_data, "message", "Logged in successfully.")    def test_invalid_credentials(self):        url = f"{BASE_URL}login"        data = LOGIN_TEST_DATA["invalid_credentials"]        response_data = send_request("POST", url, data=json.dumps(data))        assert_response(response_data, "status", "error")        assert_response(response_data, "message", "Invalid credentials.")

报告生成

图片

你可以使用pytest-html插件来生成HTML格式的测试报告。首先安装插件:

pip install pytest-html

然后在testsuite.py中配置报告生成:​​​​​​​

import pytestfrom pytest_html_reporter import attach_extra_css, add_contextfrom project.test_case import test_login, test_signup  # 导入其他测试用例模块@pytest.mark.parametrize("test_case_module", [test_login, test_signup])def test_suite(test_case_module):    suite = unittest.TestLoader().loadTestsFromModule(test_case_module)    runner = unittest.TextTestRunner()    results = runner.run(suite)    assert results.wasSuccessful(), "Test suite failed."if __name__ == "__main__":    pytest.main(["--html=report/report.html", "--self-contained-html"])    attach_extra_css("custom.css")  # 添加自定义CSS样式    add_context({"project_name": "My API Test Project"})  # 添加上下文信息

图片

图片

运行测试套件时,将会生成一个名为report.html的测试报告。

以上就是本次分享,有学习接口自动化测试的伙伴有什么不清楚的,可以留言,看到了会及时回复


http://www.ppmy.cn/news/1290574.html

相关文章

晶体谐振器专业术语的基础知识-晶发电子

共振频率 在晶体谐振器的共振特性中,共振频率是两点阻抗变为电阻时的较低频率点。 阻抗Z变为电阻元件时,两点之间的频率。在这两点上,相为0。其中频率较低的点称为共振频率。另外一个点称为反共振频率。 等效电路 下图所示的是由电阻、电感…

LeetCode刷题笔记之栈与队列

一、队列与栈相互转换 1. 232【用栈实现队列】 题目: 请你仅使用两个栈实现先入先出队列。队列应当支持一般队列支持的所有操作(push、pop、peek、empty): 实现 MyQueue 类: void push(int x) 将元素 x 推到队列的末…

前端工程化回顾-vite 构建神器

1.构建vite 项目 pnpm create vite2.常用的配置: 1.公共资源路径配置: base: ./, 默认是/2.路径别名配置: resolve: {alias: {: path.resolve(__dirname, ./src),ass: path.resolve(__dirname, ./src/assets),comp: path.resolve(__dirnam…

C++:通过erase删除map的键值对

map是经常使用的数据结构,erase可以删除map中的键值对。 可以通过以下几种方式使用erase 1.通过迭代器进行删除 #include <iostream> #include <map> #include <string> using namespace std;void pMap(const string& w, const auto& m) {cout&l…

Python基础-06(while循环、break、continue)

文章目录 前言一、while循环二、break&#xff08;中断&#xff09;和continue&#xff08;跳过&#xff09;1.break2.continue 总结 前言 上章是关于if关键字&#xff0c;属于条件控制语句或者称为流程控制语句&#xff0c;就好比于一个分岔路口&#xff0c;哪个路口符合条件…

原码、反码、补码,计算机中负数的表示

原码&#xff1a;将一个整数&#xff0c;转换成二进制&#xff0c;就是其原码。 如单字节的5的原码为&#xff1a;0000 0101&#xff1b;-5的原码为1000 0101。 反码&#xff1a;正数的反码就是其原码&#xff1b;负数的反码是将原码中&#xff0c;除符号位以外&#xff0c;每一…

面试题理解深层次的数组名

目录 引言 一&#xff1a;一维数组 举例如下 1.铺垫知识 数组名是数组首元素的地址&#xff0c;但是有两个特殊情况 &#xff08;1&#xff09;sizeof(数组名) &#xff08;2&#xff09;&数组名 2.分析讲解上述代码结果 2.字符数组 举例一如下 1.知识铺垫 …

灸哥问答:分布式系统中数据一致性的问题如何解决

在分布式系统&#xff0c;数据一致性的问题是一个老生常谈&#xff0c;必须面对的一个问题&#xff0c;而且又极具挑战和复杂度的一个问题&#xff0c;针对数据一致性的问题&#xff0c;没有一个简单的单一的解决方案可以圆满解决&#xff0c;是需要结合具体的场景&#xff0c;…