使用 Python 进行测试(2)前进到pytest

总结

pytest一个宝藏框架,减少了我们对测试蔬菜的抗拒,并让测试更有效率。
将上一节的使用unittest编写的测试使用pytest重写:

import pytest
from the_code_to_test import add@pytest.fixture()
def setup_and_tear_down():print('This is run before each test')yieldprint('This is run after each test')def test_add_integers(setup_and_tear_down):result = add(1, 2)assert result == 3result = add(1, -2)assert result == -1def test_add_strings(setup_and_tear_down):result = add("1", "2")assert result == "12"def test_add_floats(setup_and_tear_down):result = add(0.1, 0.2)assert result == pytest.approx(0.3)def test_add_mixed_types(setup_and_tear_down):with pytest.raises(TypeError):add(1, "2")

使用pytest -s the_tests.py 执行测试并获得报告。

感恩pytest

大多数人认为测试是一件苦差事。如果你需要做一些有益但不喜欢的事情,你可以增强你的意志,或是让事情更容易。对我来说,pytest是第二种策略:它使得测试更容易。
pytest很好,让我们记住它,并在未来使用pytest进行测试。

迁移到pytest

我们以上一篇的最终代码为例。
文件的结构仍然是

basic_project
├── the_code_to_test.py
└── the_tests.py

the_code_to_test.py包含:

def add(a, b):return a + b

“the_tests.py”:

import unittestfrom the_code_to_test import addclass TestAddFunction(unittest.TestCase):def setUp(self):# Anything you attach to self here is available# in other testsprint('This is run before each test')def tearDown(self):print('This is run after each test')def test_add_integers(self):result = add(1, 2)self.assertEqual(result, 3)result = add(1, -2)self.assertEqual(result, -1)def test_add_strings(self):result = add("1", "2")self.assertEqual(result, "12")def test_add_floats(self):result = add(0.1, 0.2)self.assertAlmostEqual(result, 0.3)def test_add_mixed_types(self):with self.assertRaises(TypeError):add(1, "2")

让我们将其转换成pytest。

首先需要使用在虚拟环境(venv)中pip install pytest,不要使用全局pytest,不要使用其他地方的pytest,否则将埋下痛苦的种子。

现在,我们可以使用pytest简化代码了:

import pytest
from the_code_to_test import add@pytest.fixture()
def setup_and_tear_down():print('This is run before each test')yieldprint('This is run after each test')def test_add_integers(setup_and_tear_down):result = add(1, 2)assert result == 3result = add(1, -2)assert result == -1def test_add_strings(setup_and_tear_down):result = add("1", "2")assert result == "12"def test_add_floats(setup_and_tear_down):result = add(0.1, 0.2)assert result == pytest.approx(0.3)def test_add_mixed_types(setup_and_tear_down):with pytest.raises(TypeError):add(1, "2")

走到basic_project目录下,运行pytest测试:

pytest the_tests.py
================= test session starts ================
platform linux -- Python 3.10.13, pytest-8.1.1, pluggy-1.4.0
rootdir: /path/to/basic_project
plugins: anyio-3.7.1
collected 4 itemsthe_tests.py ....[100%]================= 4 passed in 0.01s  ================

在 pytest 中,测试只是一个名称以test 开头的函数。你不需要一个类,你只需要一个特定名字的函数。此外,不需要 assertStuff 方法,它使用 常规的 assert 关键字:

def test_add_integers(setup_and_tear_down):result = add(1, 2)assert result == 3result = add(1, -2)assert result == -1

不过,这不是正常的 Python 行为。为了得到这个结果,pytest实际上在幕后执行了很多魔术。我不是魔术的忠实粉丝,但我已经容忍了这一点,因为权衡是如此巨大:你可以使用常规的 Python 运算符,如 == 、 != 、 > 、 >= 或 in is, , assert 并将作为测试的一部分。

事实上,它的作用远不止于此,因为在失败的情况下,它会分析表达式并为您提供有关出了什么问题的线索。假设我用一个错误的断言编写测试:

def test_add_integers(setup_and_tear_down):result = add(1, 2)assert result == 2result = add(1, -2)assert result == -1

执行pytest会得到

pytest the_tests.py
================= test session starts ================
platform linux -- Python 3.10.13, pytest-8.1.1, pluggy-1.4.0
rootdir: /path/to/basic_project
plugins: anyio-3.7.1
collected 4 itemsthe_tests.py F...                                                           [100%]================= FAILURES =================
_________________ test_add_integers _________________setup_and_tear_down = Nonedef test_add_integers(setup_and_tear_down):result = add(1, 2)
>       assert result == 2
E       assert 3 == 2the_tests.py:14: AssertionError
...

我们得到了一些非常明确的迹象:

  • 由于断言失败,未成功的测试位于文件“the_tests.py”第 14 行
  • 这个assert 正在检查 result == 2
  • result 实际值 3

不过,我还没有解释这个 setup_and_tear_down 参数到底是什么,但我需要一整节来解释。

Fixtures,pytest的秘密武器

pytest的表现力已经使其具有竞争力,而pytest在setup和tear down方面更加出色。再一次,pytest使用黑魔法来实现。

您可以使用 @fixture 装饰器标记任何生成器:

@pytest.fixture()
# 函数名"setup_and_tear_down"非必要, 可以是任何名称 
def setup_and_tear_down():print('This is run before each test')yieldprint('This is run after each test')

在这个例子中,Fixture(夹具)什么也不做。

但是,一旦你想要执行测试,并且测试函数有与夹具函数名称相同的参数:

# 参数名和夹具函数名"setup_and_tear_down"相同
def test_add_integers(setup_and_tear_down):...

Python就会在测试test_add_integers时自动调用setup_and_tear_down()生成器。

当然,这根本不是典型的 Python 行为,而是我所说的黑魔法:pytest 将函数名称链接到参数名称,并在测试运行时将它们放在一起。这很奇怪。它有一个名字,叫做“依赖注入”。

在我们看到一个关于它是如何工作的完整示例之前,让我们分解一下 pytest 将如何使用它:

  • 它会调用setup_and_tear_down() ,直到它yield
  • 然后运行test_add_integers(),将yield结果作为参数传递
  • 接下来,它将在yield 之后恢复生成器( 即使测试失败)

这个过程相当于:

  • 在测试前执行 yield 之前的代码,类似unittest的self.setUp()
  • 在yield右侧的值 作为参数传递给test,就像unittest中给self附加一些东西
  • 在测试后执行yield 之后的代码,类似unittest的self.tearDown()

你可能需要一个示例来解除我们之间的误会。我们先创建两个夹具,然后在测试中以不同的姿势使用它们:

import pytest
import random
from the_code_to_test import add# 创建2个fixtures@pytest.fixture()
def random_number():yolo = random.randint(0, 10)yield yoloprint(f"\nWe tested with {yolo}")@pytest.fixture()
def setup_and_tear_down():print("\nThis is run before each test")yieldprint("\nThis is run after each test")# 使用2个夹具
def test_add_integers(setup_and_tear_down, random_number):result = add(1, 2)assert result == 3result = add(1, -2)assert result == -1# The result of the fixture is used in the testassert add(0, random_number) >= 0# 使用1个夹具
def test_add_strings(setup_and_tear_down):result = add("1", "2")assert result == "12"# 不使用夹具
def test_add_floats():result = add(0.1, 0.2)assert result == pytest.approx(0.3)def test_add_mixed_types():with pytest.raises(TypeError):add(1, "2")

现在运行测试

pytest the_tests.py
================= test session starts ================
platform linux -- Python 3.10.13, pytest-8.1.1, pluggy-1.4.0
rootdir: /path/to/basic_project
plugins: anyio-3.7.1
collected 4 itemsthe_tests.py ....[100%]================= 4 passed in 0.01s  ================

什么输出都没有?
这是 pytest 的一个典型陷阱,每个初学者都会被它抓住:pytest默认捕获stdout。我们需要用-s指示它不要这样做:

pytest the_tests.py -s
================= test session starts ================
platform linux -- Python 3.10.13, pytest-7.3.0, pluggy-1.0.0
rootdir: /path/to/basic_project
plugins: django-4.5.2, clarity-1.0.1
collected 4 itemsthe_tests.py
This is run before each test
.
We tested with 10This is run after each testThis is run before each test
.
This is run after each test
..================= 4 passed in 0.01s  ================

现在,我们可以清楚地看到夹具setup_and_tear_down 被调用进行 2 次测试,并在之前和之后运行代码。我们还可以看到夹具random_number 被调用一次。

Pytest 带有大量命令行标志,我们可以使用 -v 详细(verbose)地查看每个测试的名称…

pytest the_tests.py -s -v
================= test session starts ================
platform linux -- Python 3.10.13, pytest-7.3.0, pluggy-1.0.0
rootdir: /path/to/basic_project
plugins: django-4.5.2, clarity-1.0.1
collected 4 itemsthe_tests.py::test_add_integers
This is run before each test
PASSED
We tested with 3This is run after each testthe_tests.py::test_add_strings
This is run before each test
PASSED
This is run after each testthe_tests.py::test_add_floats PASSED
the_tests.py::test_add_mixed_types PASSED================= 4 passed in 0.01s  ================

夹具系统非常灵活,允许您将设置和拆卸组合在一起,共享它们,随心所欲地激活/停用一个…
事实上,您甚至可以在夹具中使用夹具:

@pytest.fixture()
def random_number():yolo = random.randint(0, 10)yield yoloprint(f"\nWe tested with {yolo}")# if setup_and_tear_down runs, it runs random_number
@pytest.fixture()
def setup_and_tear_down(random_number):print("\nThis is run before each test")yield random_number + 1print("\nThis is run after each test")

pytest的夹具系统比unittest设置和拆卸方式更好,因为:

  • 只在一个地方来定义所有的东西
  • 可以选择使用设置的测试并拆卸,而不是在所有测试中强制使用它。
  • 可以在所有测试中重复使用您的夹具,而不仅仅是在一个类中。
  • 可以使用多个参数在同一测试中混合使用多个夹具。

但是你也注意到,我们必须传递一些标志才能使 pytest 按照我们想要的方式运行。这是这个工具的一个重要点,它很强大,但它带有相当多的旋钮。

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

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

相关文章

IDEA启动正常debug启动报错

项目场景: 很奇怪的一个问题,项目运行正常,debug启动直接报错,运行不起来 Exception in thread "main" java.lang.ClassNotFoundException: kotlinx.coroutines.debug.AgentPremainat java.net.URLClassLoader.findClass(URLClassLoader.java:382)at ja…

好像也没那么失望!SD3玩起来,Stable Diffusion 3工作流商业及广告设计(附安装包)

今天基于SD3 base 工作流来尝试进行下广告设计,这要是一配上设计文案,视觉感就出来了。下面来看看一些效果展示~ SD3 Medium模型及ComfyUI工作流下载地址:文末领取! 1.清凉夏日——西瓜音乐会 提示词: a guitar wi…

协程库——测试、优化

Ubuntu: 2核4G 1 单线程 1.1 原生epoll ab -n 200000 -c 1000 http://192.168.253.138:12345/ Server Software: Server Hostname: 192.168.253.138 Server Port: 12345 Document Path: / Document Length: 496 bytes Concurrenc…

停止游戏中的循环扣血显示

停止游戏中循环扣血并显示的具体实现方式会依赖于你的代码结构和游戏的逻辑。通常情况下,你可以通过以下方式来实现停止循环扣血和显示: 1、问题背景 在使用 Python 代码为游戏开发一个生命值条时,遇到了一个问题。代码使用了循环来减少生命…

Studio One软件最新版下载及详细安装教程

Studio One 6是一款功能丰富、专业级的音乐制作软件,它具备灵活的工作流程和高效的团队协作能力,能帮助用户实现高质量的音乐创作和制作。 智能模板更快的启动,全新的智能模板为你手头的任务提供了必要的工具集,包括基本录制、混音…

【前端】HTML5基础

目录 0 参考1 网页1.1 什么是网页1.2 什么是HTML1.3 网页的形成 2 浏览器2.1 常用的浏览器2.2 浏览器内核 3 Web标准3.1 为什么需要Web标准3.2 Web标准的构成 4 HTML 标签4.1 HTML语法规范4.1.1 基本语法概述4.1.2 标签关系4.1.2.1 包含关系4.1.2.2 并列关系 4.2 HTML基本结构标…

03.VisionMaster 机器视觉 位置修正 工具

VisionMaster 机器视觉 位置修正 工具 官方解释:位置修正是一个辅助定位、修正目标运动偏移、辅助精准定位的工具。可以根据模板匹配结果中的匹配点和匹配框角度建立位置偏移的基准,然后再根据特征匹配结果中的运行点和基准点的相对位置偏移实现ROI检测…

远程医疗服务包含哪些服务内容?

在当今数字化时代,远程医疗服务正在迅速崛起,成为医疗保健领域的一项重要创新。通过远程医疗服务,患者可以足不出户就能获得医疗服务。那么远程医疗究竟能提供哪些服务呢?下面我们就来看看。 1. 远程咨询 远程咨询是远程医疗服务的基础&…

Leetcode 2786. 访问数组中的位置使分数最大(DP 优化)

Leetcode 2786. 访问数组中的位置使分数最大 DP 以每个位置为结尾的序列的分数取决于前方的分数,根据奇偶性计算,取最大值 超时 class Solution {public long maxScore(int[] nums, int x) {int n nums.length;long dp[] new long[n];Arrays.fill(dp…

SQL题——连续问题

目录 1.连续问题的统一思路2.相关题目1285 找到连续区间的开始和结束数字2173 最多连胜的次数1454 活跃用户1225 报告系统状态的连续日期2292 连续两年有3个及以上订单的产品2752 在连续天数上进行了最多交易次数的顾客2474 购买量严格增加的客户3140 连续空余座位II 1.连续问题…

内网安全【2】-域防火墙

1.判断什么时候用代理 2.判断什么时候用隧道 3.判断出网和不出网协议 4.如何使用代理建立节点并连接 5.如何使用隧道技术封装协议上线 6.判断哪些代理或隧道情况选择放弃 代理技术:解决网络通讯不通的问题(利用跳板机建立节点后续操作)(网络设置导…

HTML5 Web SQL数据库:浏览器中的轻量级数据库解决方案

在HTML5时代,Web开发迎来了一系列创新特性,其中之一便是Web SQL数据库。尽管Web SQL标准已被W3C废弃,转而推荐IndexedDB作为替代,但了解Web SQL对于学习Web存储技术的演进历程仍有其价值。本文将详细介绍Web SQL数据库的基本概念、…

WINDOWS系统jdk和maven明明安装了cmd里却无法使用相关命令

今天当了回s b 新电脑jdk和maven装是装了,系统变量也配置了,但没配置完,javahome和mavenhome没配置,结果cmdjdk和maven版本都查不到,我真s b啊 配置 JAVA_HOME 环境变量: 右键点击“此电脑”或者“我的电…

C# WinForm —— 35 StatusStrip 介绍

1. 简介 状态栏 StatusStrip,默认在软件的最下方,用于显示系统时间、版本、进度条、账号、角色信息、操作位置信息等 可以在状态栏中添加的控件类型有:StatusLabel、ProgressBar、DropDownButton、SplitButton 2. 属性 属性解释(Name)控…

leetcode 字符串

1143. 最长公共子序列 . - 力扣&#xff08;LeetCode&#xff09; class Solution { public:int longestCommonSubsequence(string text1, string text2) {int mtext1.length();int ntext2.length();vector<vector<int>>f(m1,vector<int>(n1,0));for(int …

远程控制软件

向日葵远程控制软件 向日葵远程控制软件_远程控制电脑手机_远程桌面连接_远程办公|游戏|运维-贝锐向日葵官网 TODESK ToDesk远程桌面软件-免费安全流畅的远程连接电脑手机

注册中心理论学习

注册中心介绍 注册中心&#xff08;也称为服务注册中心或服务发现服务&#xff09;是微服务架构中的一个关键组件&#xff0c;它负责服务的注册与发现。在微服务体系中&#xff0c;服务实例的数量和位置是动态变化的&#xff0c;注册中心提供了一个集中的地方来存储这些信息&a…

速盾:服务器遭受ddos攻击如何防御

DDoS&#xff08;分布式拒绝服务&#xff09;攻击是一种常见的网络攻击方式&#xff0c;旨在通过同时向目标服务器发送大量请求&#xff0c;以使其过载并无法正常工作。为了有效防御DDoS攻击&#xff0c;服务器管理员可以采取以下措施&#xff1a; 流量监测和分析&#xff1a;监…

前端问题整理

Vue vue mvvm&#xff08;Model-View-ViewModel&#xff09;架构模式原理 Model 是数据层&#xff0c;即 vue 实例中的数据View 是视图层&#xff0c; 即 domViewModel&#xff0c;即连接Model和Vue的中间层&#xff0c;Vue实例就是ViewModelViewModel 负责将 Model 的变化反映…

测试基础13:测试用例设计方法-错误推断、因果图判定表

课程大纲 1、错误推测法 靠主观经验和直觉来推测可能容易出现问题的功能或场景&#xff0c;设计相关测试用例进行验证。 2、因果图&判定表 2.1定义 因果图和判定表是分析和表达多逻辑条件下&#xff0c;执行不同操作的情况的工具。 &#xff08;因果图和判定表配合使用&a…