pytest-fixture

资料来源:虫师2020的个人空间-虫师2020个人主页-哔哩哔哩视频

支持类似unittest风格的fixture,即setup和teardown

class类中的方法分类

类方法可以直接调用,需要添加装饰器,修改类中的变量

实例方法,需要先实例化,修改实例方法内的变量

静态方法可以直接调用

class A:name = 'jerry'#类方法:修改类变量@classmethoddef motify_name(cls):return cls.name+'class'# 初始化方法def __init__(self):self.name = 'tom'#实例方法 instance Method:修改实例变量def hello(self):return self.name+'new'#静态方法@staticmethoddef static_method(x,y):return x+yif __name__ == '__main__':# 类方法可以直接调用motify = A.motify_name()print("classmethod:",motify)#静态方法可以直接调用result = A.static_method(3, 4)print("static_method:", result)#实例方法,需要先实例化a = A()new_name = a.hello()print("类中对象的属性",a.name)print("instance Method:",new_name)

class 级别

import pytestdef multiply(a, b):"""Return the product of two numbers."""return a * b# Test fixture for the multiply function
class TestMultiply:@classmethoddef setup_class(cls):print("setup_class(): Executed before any method in this class")@classmethoddef teardown_class(cls):print("teardown_class(): Executed after all methods in this class")def setup_method(self):print("setup_method(): Executed before each test method")def teardown_method(self):print("teardown_method(): Executed after each test method")def test_multiply_3(self):"""Test multiply with two integers."""print("Executing test3")assert multiply(3, 4) == 12def test_multiply_4(self):"""Test multiply with an integer and a string (should fail)."""print("Executing test4")# Note: This test will raise a TypeError due to incompatible types.assert multiply(3, 'a') == 'aaa'

module级别

import pytest# 功能函数
def multiply(a, b):return a * b# ====== fixture ======
def setup_module(module):print("setup_module():在整个模块之前执行",module)def teardown_module(module):print("teardown_module():在整个模块之后执行",module)def setup_function(function):print("setup_function():在每个方法之前执行",function)def teardown_function(function):print("teardown_function():在每个方法之后执行",function)def test_multiply_1():print("正在执行test1")assert multiply(3, 4) == 12def test_multiply_2():print("正在执行test2")assert multiply(3, 'a') == 'aaa'class TestMultiply:def test_multiply_4(self):"""Test multiply with an integer and a string (should fail)."""print("Executing test4")# Note: This test will raise a TypeError due to incompatible types.assert multiply(3, 'a') == 'aaa'

fixture的简单用例

单个fixture

用fixture之前的原代码

import pytest# @pytest.fixture()
def init_env():print("this is fixture")return Truedef test_case(init_env):if init_env is True:print("test case")if __name__ == '__main__':ie = init_env()test_case(init_env=ie)

 fixture装饰后

import pytest@pytest.fixture()
def init_env():print("this is fixture")return Truedef test_case(init_env):if init_env is True:print("test case")

多个fixture

import pytest@pytest.fixture()
def first():print("this is fixture")return "a"@pytest.fixture()
def second():print("this is fixture")return 2@pytest.fixture()
def oder(first,second):return first * second@pytest.fixture()
def expected():return "aa"def test_string(oder,expected):print(oder)assert oder == expected

autouse = True,被装饰的函数自动执行

import pytest@pytest.fixture()
def first():print("this is fixture")return "a"@pytest.fixture()
def second(first):print("this is 2fixture")return []@pytest.fixture(autouse=True)
def order(second,first):print("自动执行")return second.append(first)def test_string(second,first):assert second == [first]

使用范围

scope:=module,session,class,function;

function:每个test都运行,默认是function的scope ,

class:每个 class的所有test只运行一次;

module:每个module的所有test只运行一次;

session:每个session只运行一次

返回参数

在 pytest 中,一个 fixture 可以返回任意数量的数据,包括多个参数。然而,当你想要通过 request 对象在 fixture 内部访问参数化装饰器 (@pytest.mark.parametrize) 提供的参数时,你需要确保正确地设置 fixture 和参数化装饰器之间的关系。在参数化装饰器中直接定义多个参数,并在测试函数中接收它们。然后在 fixture 中,可以直接返回一个元组或者一个字典,其中包含了多个值。

下面是一个示例,展示了如何在一个 fixture 中返回两个参数:

import pytest# 这个 fixture 返回一个元组,其中包含两个值
@pytest.fixture
def two_values(request):# 获取参数化装饰器提供的参数first_value = request.param[0]second_value = request.param[1]# 返回一个包含两个值的元组return (first_value, second_value)# 使用 @pytest.mark.parametrize 装饰器提供多组参数
# 直接在测试函数中接收两个参数
@pytest.mark.parametrize("first_value, second_value", [(1, 2), (3, 4)])
def test_with_two_values(first_value, second_value):assert first_value < second_value

在这个例子中,two_values fixture 返回一个包含两个值的元组。我们使用 @pytest.mark.parametrize 装饰器来提供两组参数 (1, 2)(3, 4)。然后在测试函数 test_with_two_values 中,我们接收 two_values fixture 的结果,并同时接收 first_valuesecond_value 参数,这些参数是由参数化装饰器提供的。

Teardown - yield 

迭代器

#被测试类所实现功能
import pytestclass Counter:def __init__(self):self.value = 0def increment(self):self.value += 1def get_value(self):return self.valueif __name__ == '__main__':c = Counter()c.increment()c.increment()c.increment()c.increment()print(c.get_value())

import pytestclass Counter:def __init__(self):self.value = 0def increment(self):self.value += 1def get_value(self):return self.value@pytest.fixture
def counter():#setupc = Counter()print("setup_value:",c.value)yield c  #返回实例 c#还原数据,用例结束后实现c.value=0print("teardonw_value:",c.value) def test_counter(counter):print('test-start')assert counter.get_value() == 0counter.increment()assert counter.get_value() == 1counter.increment()assert counter.get_value() == 2

终结器 finalizer

同上,value增加后再重置为0

import pytestclass Counter:def __init__(self):self.value = 0def increment(self):self.value += 1def get_value(self):return self.value@pytest.fixture
def counter(request):#request 参数不需要传值#setupc = Counter()print("setup_value:",c.value)def reset_counter():#还原数据c.value = 0print("teardown_value:",c.value)request.addfinalizer(reset_counter)return cdef test_counter(counter):print('test-start')assert counter.get_value() == 0counter.increment()assert counter.get_value() == 1counter.increment()assert counter.get_value() == 2

fixture装饰的方法的request

在PyTest中,`request`对象是一个特殊的fixture,它提供了对当前测试请求的访问。当你在自定义的fixture函数中使用`request`作为参数时,你实际上可以获得当前测试的详细信息,并且可以利用这些信息来定制fixture的行为。`request`对象提供了很多有用的方法和属性,使你能够更灵活地设置和清理测试环境。

在你提供的fixture示例中,`request`对象被用来添加一个finalizer,即一个在测试结束后自动调用的清理函数。`request.addfinalizer()`方法接受一个可调用对象作为参数,并确保在测试完成时调用它,即使测试失败或抛出了异常。这使得你可以在测试结束后执行一些必要的清理工作,比如关闭文件、重置状态、释放资源等。

以下是一些`request`对象常用的方法和属性:

- `request.param`:如果测试函数使用了参数化装饰器`@pytest.mark.parametrize`,则`request.param`将包含当前测试迭代的参数值。
- `request.function`:返回当前正在运行的测试函数。
- `request.cls`:如果测试函数属于一个测试类,则返回这个测试类。
- `request.module`:返回包含当前测试的模块。
- `request.config`:返回PyTest配置对象,可以从中获取命令行选项和其他配置信息。
- `request.getfixturevalue(name)`:获取其他fixture的返回值。
- `request.cached_setup`:用于缓存setup过程的结果,避免重复执行相同的setup步骤。

总的来说,`request`对象在自定义fixture中提供了一种强大的机制,用于根据测试的具体需求动态调整fixture的行为,从而实现更加复杂的测试场景支持和资源管理。

参数化

10_pytest之fixture装饰器使用(下)_哔哩哔哩_bilibili

直接参数化(Direct Parametrization)

直接参数化是最直观的参数化方法,它在测试函数上使用 @pytest.mark.parametrize 装饰器,直接指定测试函数的参数及其值。这种方法适用于当你的参数可以直接在测试函数中使用,不需要额外的处理或准备。

import pytest@pytest.mark.parametrize("input, expected", [("3+5", 8),("2+4", 6),("-1+1", 0),
])
def test_eval(input, expected):assert eval(input) == expected

间接参数化(Indirect Parametrization)

间接参数化则是通过 fixture 来提供参数,这样可以在参数化测试之前执行一些预处理或设置工作。当你需要在测试前做某些准备工作,比如数据库连接、文件读取、网络请求等,或者当参数的准备较为复杂时,使用间接参数化就很有必要了。

import pytest@pytest.fixture
def prepared_input(request):input_str, expected = request.param# 执行一些预处理,比如从数据库获取数据return input_str, expected@pytest.mark.parametrize("prepared_input", [("3+5", 8),("2+4", 6),("-1+1", 0),
], indirect=True)
def test_eval(prepared_input):input_str, expected = prepared_inputassert eval(input_str) == expected

pytest.mark.parametrize的使用

基本使用

@pytest.mark.parametrize("argnames", argvalues)
def test_function(argnames):# 测试逻辑

argnames 是一个字符串,包含了测试函数参数的名称,多个参数用逗号分隔。

argvalues 是一个列表,其中的每一个元素都是一组参数值,对应于 argnames 中的参数。

import pytest@pytest.mark.parametrize("x, y, expected", [(1, 2, 3),(5, 3, 8),(-1, -1, -2),
])
def test_addition(x, y, expected):assert x + y == expected

使用 ids

每组参数指定一个标识符(id),这样可以使得测试报告更加可读。ids 应该是一个与 argvalues 同长度的列表,每个元素对应一组参数的描述。

@pytest.mark.parametrize("x, y, expected", [(1, 2, 3),(5, 3, 8),(-1, -1, -2),
], ids=["positive_numbers", "larger_positive_numbers", "negative_numbers"])
def test_addition(x, y, expected):assert x + y == expected

复杂参数

如果参数值本身是复杂的结构,如列表或字典,你可以直接在 argvalues 中使用这些结构。

@pytest.mark.parametrize("data", [{"input": [1, 2, 3], "expected": 6},{"input": [4, 5, 6], "expected": 15},
])
def test_sum_list(data):assert sum(data["input"]) == data["expected"]

间接参数化

间接参数化允许你使用 fixture 作为参数源,这样可以在测试函数运行前进行一些初始化工作。要使用间接参数化,你只需在 argnames 后面添加 indirect=True

import pytest@pytest.fixture
def prepared_data(request):if request.param == "case1":return {"input": [1, 2, 3], "expected": 6}elif request.param == "case2":return {"input": [4, 5, 6], "expected": 15}@pytest.mark.parametrize("prepared_data", ["case1", "case2"], indirect=True)
def test_sum_list(prepared_data):assert sum(prepared_data["input"]) == prepared_data["expected"]

fixture两个方法传递参数

直接在 Fixture 方法中调用另一个 Fixture:

如果一个 fixture 需要依赖另一个 fixture 的输出,你可以在一个 fixture 的实现中直接调用另一个 fixture。这是最直接的方式,但要注意保持依赖关系清晰,避免过多的耦合。

import pytest@pytest.fixture
def fixture_a():return "A"@pytest.fixture
def fixture_b(fixture_a):# 使用 fixture_a 的输出return fixture_a + "B"def test_example(fixture_b):assert fixture_b == "AB"
使用 request 对象间接获取参数

当你使用 @pytest.mark.parametrize 装饰器时,可以在 fixture 中使用 request 对象来获取参数化装饰器提供的参数。

import pytest@pytest.fixture
def fixture_a(request):# 从 request.param 获取参数return request.param@pytest.fixture
def fixture_b(fixture_a):return fixture_a + "B"@pytest.mark.parametrize("fixture_a", ["A"], indirect=True)
def test_example(fixture_b):assert fixture_b == "AB"
使用 Indirect 参数化

如果你需要将一个 fixture 的输出作为另一个 fixture 的参数,你可以使用 indirect 参数化。这允许你将一个 fixture 的返回值直接作为另一个 fixture 的参数。

import pytest@pytest.fixture
def fixture_a():return "A"@pytest.fixture
def fixture_b(fixture_a):return fixture_a + "B"@pytest.mark.parametrize("fixture_a", ["A"], indirect=True)
@pytest.mark.parametrize("fixture_b", ["AB"], indirect=True)
def test_example(fixture_a, fixture_b):assert fixture_a + "B" == fixture_b

通常你不需要为每个 fixture 单独使用 @pytest.mark.parametrize,因为这可能导致不必要的重复测试。更常见的是,一个 fixture 依赖于另一个 fixture 的输出,如第一个例子所示。

使用 Fixture 返回复杂数据结构

如果一个 fixture 需要返回复杂的数据结构,如字典或元组,你可以在测试函数中直接解构这些数据结构。

import pytest@pytest.fixture
def complex_fixture():return {"part_a": "A", "part_b": "B"}def test_example(complex_fixture):part_a, part_b = complex_fixture.values()assert part_a + part_b == "AB"
Fixture接收外部参数

让第二个 fixture 既接收第一个 fixture 的返回值,又接收一个额外的参数

import pytest# 第一个 fixture
@pytest.fixture
def first_fixture():return "Hello from first fixture"# 第二个 fixture,它接收第一个 fixture 的返回值和一个额外的参数
@pytest.fixture
def second_fixture(first_fixture, extra_param):return first_fixture + ", " + extra_param# 使用 indirect=True 指定 extra_param 应该间接地传递给 second_fixture
@pytest.mark.parametrize("extra_param", ["World"], indirect=["second_fixture"])
def test_example_with_params(second_fixture):assert second_fixture == "Hello from first fixture, World"

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

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

相关文章

【移动应用开发】创建Hello World应用

目录 一、安装Android Studio &#xff08;2023.1.28&#xff09; 二、创建HelloWorld的项目 1. 新建一个项目&#xff0c;选择Empty Views Activity 2. 点击next之后&#xff0c;为项目命名为HelloWorld 3. 点击Finish之后等待项目创建 三、观察项目结构 1. 选择以Proj…

预测性营销与开源AI智能名片商城系统的融合创新:探索数据驱动的营销新纪元

摘要&#xff1a;在当今这个数据驱动的时代&#xff0c;企业面临着前所未有的市场复杂性和消费者行为的快速变化。为了在这样的环境中保持竞争力并实现持续增长&#xff0c;预测性营销已成为企业不可或缺的战略工具。本文深入探讨了预测性营销的基本原理、技术架构及其在市场营…

常用注意力机制 SENet CBAM ECA

在处理脑电信号时通常会用到一些注意力机制,来给不同的脑电通道不同的权重,进而体现出不同脑电通道在分类中的重要性。下面整理几种常见的通道注意力机制,方便以后查阅。 常用注意力机制 SENet CBAM ECA 注意力机制SENet(Squeeze-and-Excitation Network)SENet原理SENet P…

MySQL相关知识

一、什么是数据库&#xff1f; 数据库&#xff08;Database&#xff0c;简称DB&#xff09;概念&#xff1a; 长期存放在计算机内&#xff0c;有组织、可共享的大量数据的集合&#xff0c;是一个 数据“仓库”。 二、数据库的特点&#xff1a; 1.结构化&#xff1a;数据在数…

【leetcode】二分查找本质

标题&#xff1a;【leetcode】二分查找本质 水墨不写bug 正文开始&#xff1a;&#xff08;点击题目标题转跳到OJ&#xff09; 目录 &#xff08;O&#xff09;前言* &#xff08;一&#xff09; 在排序数组中查找元素的第一个和最后一个位置 思路详解&#xff1a; 参考代…

Python 爬虫 获取Instagram用户数据信息 Instagram API接口

爬取instagram用户主页数据信息 详细采集页面如下 https://www.instagram.com/abdallhdev/?hlen 请求API http://api.xxxx.com/ins/profile/username?usernameabdallhdev&tokentest 请求参数 返回示例 联系我们&#xff08;更多接口详见主页专栏&#xff09; 更多精彩…

Redis--12--1--分布式锁---java

提示&#xff1a;文章写完后&#xff0c;目录可以自动生成&#xff0c;如何生成可参考右边的帮助文档 文章目录 Redis与分布式锁Jedis实现1.RedisConfig2.RedisDistLock3.应用4.加上看门狗逻辑 RedisDistLockWithDog redisson实现1.依赖2.代码 Redis与分布式锁 Jedis实现 1.Re…

VScode通过Graphviz插件和dot文件绘制层次图,导出svg

1、安装插件 在VScode中安装Graphviz Interactive Preview插件&#xff0c;参考。 2、创建dot文件 在本地创建一个后缀为dot的文件&#xff0c;如test.dot&#xff0c;并写入以下内容&#xff1a; digraph testGraph {label "层次图";node [shape square; widt…

一文读懂英伟达A800的性能及应用场景

随着人工智能&#xff08;AI&#xff09;和高性能计算&#xff08;HPC&#xff09;领域的快速发展&#xff0c;对处理器的性能要求日益提高。英伟达&#xff08;NVIDIA&#xff09;作为全球领先的图形处理器&#xff08;GPU&#xff09;和人工智能技术公司&#xff0c;不断推出…

全国区块链职业技能大赛国赛考题区块链产品需求分析与方案设计

任务1-1:区块链产品需求分析与方案设计 本任务需要依据项目背景完成需求分析与方案设计,具体要求如下: 依据给定区块链食品溯源系统的业务架构图,对考题进行业务分析,尽可能多的去考虑一个业务系统所需要的模块,使用Visio或思维导图工具展现本系统的基本设计概念和处理流…

python基础语法 007 文件操作-2文件支持模式文件的内置函数

1.3 文件支持的模式 模式含义ropen a file for reading(default)wopen a file for writing,creates a new file if it does not exist or truncates the file if it exists x open a file foe exclusive creation. if the file already exists, the operation fails.独创模式&…

约束

概述 概念 约束是作用于表中字段上的规则&#xff0c;用于限制存储在表中的数据。 目的 保证数据库中数据的正确、有效性和完整性。 分类 【注意】约束是作用于表中字段上的&#xff0c;可以在创建表/修改表的时候添加约束。 约束演示 根据需求&#xff0c;完成表结构的…

Docker核心技术:应用架构演进

云原生学习路线导航页&#xff08;持续更新中&#xff09; 本文是 Docker核心技术 系列文章&#xff1a;应用架构演进&#xff0c;其他文章快捷链接如下&#xff1a; 应用架构演进&#xff08;本文&#xff09;容器技术要解决哪些问题Docker的基本使用Docker是如何实现的 1.1.架…

blender使用(三)常用建模操作及修改器

1&#xff0c;挤出图形 tab编辑模式&#xff0c;选中一个点/线/面&#xff0c;按键E&#xff0c;可以挤出对应的图形。选中点会挤出一条线&#xff0c;线会挤出一个面&#xff0c;面挤出体 2&#xff0c;倒角 选中一个边后&#xff0c;ctrlB &#xff0c;拖动鼠标是倒角范围&am…

数据结构 day3

目录 思维导图&#xff1a; 学习内容&#xff1a; 1. 顺序表 1.1 概念 1.2 有关顺序表的操作 1.2.1 创建顺序表 1.2.2 顺序表判空和判断满 1.2.3 向顺序表中添加元素 1.2.4 遍历顺序表 1.2.5 顺序表按位置进行插入元素 1.2.6 顺序表任意位置删除元素 1.2.7 按值进…

智能取纸机,帮助移动公厕,无人值守降低运营成本

在快节奏的城市生活中&#xff0c;移动公厕作为临时性或应急性的公共卫生设施&#xff0c;扮演着不可或缺的角色。然而&#xff0c;传统移动公厕的管理面临着诸多挑战&#xff0c;尤其是纸巾供应与使用效率问题。近年来&#xff0c;智能取纸机的出现&#xff0c;为移动公厕的管…

好玩新游:辛特堡传说中文免费下载,Dungeons of Hinterberg 游戏分享

在游戏中&#xff0c;你将扮演Luisa&#xff0c;一个被现实生活拖得疲惫不堪的法律实习生。她决定暂时远离快节奏的公司生活&#xff0c;踏上征服辛特堡地下城的旅程…她会在第一天就被击退&#xff0c;还是能成为顶级猎魔人呢&#xff1f;只有一个办法可以找到答案... 体验刺激…

《Milvus Cloud向量数据库指南》——SPLADE:基于BERT的Learned稀疏向量技术深度解析

在自然语言处理(NLP)领域,随着深度学习技术的飞速发展,预训练语言模型如BERT(Bidirectional Encoder Representations from Transformers)已成为推动研究与应用进步的重要基石。BERT通过其强大的上下文感知能力,在多项NLP任务中取得了显著成效,尤其是在文本表示和语义理…

昇思25天学习打卡营第20天| GAN图像生成

GAN是一种特别酷的机器学习模型&#xff0c;它由两个部分组成&#xff1a;生成器和判别器。生成器的任务是制造假的图像&#xff0c;而判别器则要判断图像是真是假。这俩就像是在玩一个捉迷藏的游戏&#xff0c;生成器越做越好&#xff0c;判别器也越来越聪明。 想象一下&…

光耦合器技术的实际应用

光耦合器也称为光隔离器&#xff0c;是现代电子产品中的关键组件&#xff0c;可确保电路不同部分之间的信号完整性和隔离。它们使用光来传输电信号&#xff0c;提供电气隔离和抗噪性。 结构和功能 光耦合器通常由以下部分组成&#xff1a; 1.LED&#xff08;发光二极管&#…