fixture的作用:作用类似unittest中setup/teardown,它的优势是可以跨文件共享

fixture的格式:在普通函数上加上装饰器@pytest.fixture(),且函数名不能以test_开头,目的是与测试用例做区分

一 fixture的三种调用方式

1.在测试用例中  直接把fixture的函数名称作为参数传入  进行调用

fixture如何使用?fixture可以有返回值,如果没有return默认但会None;用例调用fixture的返回值,就是直接把fixture的函数名称作为参数传入。

特别说明:用例断言失败是failed,fixture断言失败是error

fixture的作用范围

demo1:fixture可以返回一个元组、列表或字典

# test_01.py
import pytest @pytest.fixture()
def user():
print("用户名")
name = 'wangmm'
password = ''
return name,password def test_a(user):
u = user[0]
p = user[1]
assert u == 'wangmm' 执行结果:
D:\myproject\pytest_demo\testcases>pytest -vs test_01.py
=================================================================================== test session starts ====================================================================================
platform win32 -- Python 3.6.5, pytest-5.0.1, py-1.8.0, pluggy-0.12.0 -- d:\soft\python36\python.exe
cachedir: .pytest_cache
rootdir: D:\myproject\pytest_demo\testcases
collected 1 item test_01.py::test_a 用户名
PASSED ================================================================================= 1 passed in 0.03 seconds =================================================================================

demo2:test_用例传多个fixture参数

# test_02.py
import pytest @pytest.fixture()
def username():
name = 'wangmm'
return name @pytest.fixture()
def pw():
password = ''
return password def test_user(username, pw):
assert username == 'wangmm'
assert pw == '' 执行结果:
D:\myproject\pytest_demo\testcases>pytest -vs test_02.py
=================================================================================== test session starts ====================================================================================
platform win32 -- Python 3.6.5, pytest-5.0.1, py-1.8.0, pluggy-0.12.0 -- d:\soft\python36\python.exe
cachedir: .pytest_cache
rootdir: D:\myproject\pytest_demo\testcases
collected 1 item test_02.py::test_user PASSED ================================================================================= 1 passed in 0.03 seconds =============================================    ====================================

demo3:fixture与fixture间相互调用

# test_03.py
import pytest @pytest.fixture()
def first():
a = "wangmm"
return a @pytest.fixture()
def sencond(first):
'''psw调用user fixture'''
a = first
b = ""
return (a, b) def test_1(sencond):
'''用例传fixture'''
assert sencond[0] == "wangmm"
assert sencond[1] == "" 输出结果:
D:\myproject\pytest_demo\testcases>pytest -vs test_03.py
=================================================================================== test session starts ====================================================================================
platform win32 -- Python 3.6.5, pytest-5.0.1, py-1.8.0, pluggy-0.12.0 -- d:\soft\python36\python.exe
cachedir: .pytest_cache
rootdir: D:\myproject\pytest_demo\testcases
collected 1 item              test_03.py::test_1 PASSED

2.使用usefixtures    但是需要注意如果fixture有返回值则不能使用usefixtures,usefixtures是获取不到返回值的

@pytest.mark.usefixtures("user")
def test_b():
# u = user[0]
# assert u == 'wangmm'
assert 1 == 1

3.使用autos自动调用fixture    注意:如果不传autouse,默认scope=False

@pytest.fixture(scope='function',autouse=True)
def login_test():
print("登录")
def test_s7():    # 该测试用例不需要传login_test,会自动调用的
print("用例1:登录之后其它动作111")

二 使用conftest.py实现多文件共享fixture

一个测试工程下是可以有多个conftest.py的文件,一般在工程根目录放一个conftest.py起到全局作用。
在不同的测试子目录也可以放conftest.py,作用范围只在该层级以及以下目录生效。

特别地:conftest.py不需要显示导入,pytest会自动读取该文件

session > module > class > function

@pytest.fixture(scope="session"):多个文件调用一次,可以跨.py,每个.py就是module

@pytest.fixture(scope="module"):module级别的fixture在当前.py模块里,只会在用例第一次调用前执行一次

@pytest.fixture(scope="class"):class级别的fixture,在每个类里,只会在第一次调用前执行一次

@pytest.fixture(scope="function"):function级别,每个函数都会调用(默认)

# conftest.py
import pytest @pytest.fixture(scope="class")
def login():
print("登录系统") # test_fix.py
import pytest class Test1:
def test_s1(self,login):
print("用例1:登录之后其它动作111") def test_s2(self): # 不传login
print("用例2:不需要登录,操作222") def test_s3(self, login):
print("用例3:登录之后其它动作333") class Test2:
def test_s4(self, login):
print("用例4:登录之后其它动作444") def test_s5(self): # 不传login
print("用例5:不需要登录,操作555") def test_s6(self, login):
print("用例6:登录之后其它动作666") 输出结果:
testcases\test_fix.py 登录系统
用例1:登录之后其它动作111
.用例2:不需要登录,操作222
.用例3:登录之后其它动作333
.登录系统
用例4:登录之后其它动作444
.用例5:不需要登录,操作555
.用例6:登录之后其它动作666

三 fixture中yield的作用

Fixture finalization / executing teardown code 
By using a yield statement instead of return, all the code after the yield statement serves as the teardown code.

测试代码的执行顺序: yield前的代码-测试用例中的代码-yield后的代码

demo1:

# conftest.py
import pytest
import smtplib @pytest.fixture(scope='module')
def smtp_connection():
smtp_connection = smtplib.SMTP('smtp.126.com',25)
yield smtp_connection
print("teardown smtp")
smtp_connection.close() # test_module.py
def test_ehlo(smtp_connection):
response, msg = smtp_connection.ehlo()
assert response == 250
# assert 0 def test_noop(smtp_connection):
response, msg = smtp_connection.noop()
assert response == 250
# assert 0 输出结果:
D:\myproject\pytest_demo>pytest -qs --tb=no test_module.py # --tb=no,指关闭回溯信息
..teardown smtp 2 passed in 13.75 seconds

四 多个fixture的执行顺序

举例:

import pytest

order = []

@pytest.fixture(scope='session')
def s1():
order.append("s1") @pytest.fixture(scope='module')
def m1():
order.append('m1') @pytest.fixture()
def f1(f3):
order.append('f1') @pytest.fixture()
def f3():
order.append('f3') @pytest.fixture(autouse=True)
def a1():
order.append('a1') @pytest.fixture()
def f2():
order.append('f2') def test_order(f1, m1, f2, s1):
assert order == ["s1", "m1", "a1", "f3", "f1", "f2"] 输出结果:1 passed  #即test_doder.py测试用例通过

理论:

session > module > class > function

@pytest.fixture(scope="session"):多个文件调用一次,可以跨.py,每个.py就是module

@pytest.fixture(scope="module"):module级别的fixture在当前.py模块里,只会在用例第一次调用前执行一次

@pytest.fixture(scope="class"):class级别的fixture,在每个类里,只会在第一次调用前执行一次

@pytest.fixture(scope="function"):function级别,每个函数都会调用(默认)

def fixture(scope="function", params=None, autouse=False, ids=None, name=None):

    :arg scope: the scope for which this fixture is shared, one of
``"function"`` (default), ``"class"``, ``"module"``,
``"package"`` or ``"session"``. ``"package"`` is considered **experimental** at this time.

fixture源码

特别地:平常写自动化用例会写一些前置的fixture操作,用例需要用到就直接传该函数的参数名称就行了。当用例很多的时候,每次都传这个参数,会比较麻烦。
fixture里面有个参数autouse,默认是Fasle没开启的,可以设置为True开启自动使用fixture功能,这样用例就不用每次都去传参了

pytest4-单文件使用fixture(Fixtures as Function arguments)的更多相关文章

  1. tp5 ajax单文件上传

    HTML代码: <!DOCTYPE html> <html lang="en"> <head> <meta charset="U ...

  2. ASP.NET MVC5+EF6+EasyUI 后台管理系统(56)-插件---单文件上传与easyui使用fancybox

    系列目录 https://yunpan.cn/cZVeSJ33XSHKZ  访问密码 0fc2 今天整合lightbox插件Fancybox1.3.4,发现1.3.4版本太老了.而目前easyui 1 ...

  3. 小型单文件NoSQL数据库SharpFileDB初步实现

    小型单文件NoSQL数据库SharpFileDB初步实现 我不是数据库方面的专家,不过还是想做一个小型的数据库,算是一种通过mission impossible进行学习锻炼的方式.我知道这是自不量力, ...

  4. webpack入坑之旅(五)加载vue单文件组件

    这是一系列文章,此系列所有的练习都存在了我的github仓库中vue-webpack,在本人有了新的理解与认识之后,会对文章有不定时的更正与更新.下面是目前完成的列表: webpack入坑之旅(一)不 ...

  5. yii2.0单文件上传和多文件上传

    yii2文件上传使用到yii2自带的文件上传类UploadFIle,以及对应的模型规则,这里分别介绍单文件上传和多文件上传: yii2单个文件上传: 上传步奏,先创建上传表单模型model(包含验证规 ...

  6. Struts1文件上传、单文件、多文件上传【Struts1】

     将struts1文件上传的操作汇总了一下,包括单文件上传和多文件上传,内容如下,留作备忘: Struts2实现文件上传的文章(http://blog.csdn.net/itwit/article/d ...

  7. Vue单文件组件基础模板

    背景 相信大家在使用Vue开发项目时,基本都是以单文件组件的形式开发组件的,这种方式好处多多: 1.代码集中,便于开发.管理和维护 2.可复用性高,直接将vue文件拷贝到新项目中 我暂时就想到这两点, ...

  8. ng-file-upload(在单文件选择,并且通过点击“上传”按钮上传文件的情况下,如何在真正选择文件之前保留上一文件信息?)

    文章前面研究ng-file-upload可能涉及指令: You can use ng-model or ngf-change instead of specifying function for ng ...

  9. Vue 单文件元件 — vTabs

    简书原文 这是我做了第二个单文件元件 第一个在这里vCheckBox 这次这个叫vTabs,用于操作标签页 演示DEMO 演示DEMO2 - 子组件模式及别名 演示DEMO3 - 极简模式 示例: h ...

随机推荐

  1. Mongodb关于查询返回指定字段的方法记录

    //通常指定字段由前端传入后台,例如params 前端以逗号分隔 //后端获取字段后操作如下: Query query = new Query(); if (params != null) { Str ...

  2. 在64系统里执行32位程序出现/lib/ld-linux.so.2: bad ELF interpreter: No such file or directory

    安装下glic即可 sudo yum install glibc.i686

  3. Vue学习之vue中的v-if,v-show,v-for

    <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8&quo ...

  4. windows下使用zkui

    一,前言 使用zkui可以很方便的查看操作zookeeper 二,从源代码生成可执行jar zkui在github上的地址:https://github.com/DeemOpen/zkui 使用ide ...

  5. 23种设计模式之装饰器模式(Decorator Pattern)

    装饰器模式(Decorator Pattern) 允许向一个现有的对象添加新的功能,同时又不改变其结构.这种类型的设计模式属于结构型模式,它是作为现有的类的一个包装. 这种模式创建了一个装饰类,用来包 ...

  6. asp.netcore 自动挡Docker Nginx Redis(滴滴滴,自动挡)

    前言 上一章介绍了Docker通过多条命令创建启动运行Docker容器,由此可见这样一个个去创建单独的容器也是相当麻烦的,比如要在某个复杂项目中用DB.缓存.消息等等,这样我们还要去一个个再创建,为此 ...

  7. Android 手机端自动化测试框架

    前言: 大概有4个月没有更新了,因项目和工作原因,忙的手忙脚乱,趁十一假期好好休息一下,年龄大了身体还是扛不住啊,哈哈.这次更新Android端自动化测试框架,也想开源到github,这样有人使用才能 ...

  8. Spring Boot 2.X(二):集成 MyBatis 数据层开发

    MyBatis 简介 概述 MyBatis 是一款优秀的持久层框架,支持定制化 SQL.存储过程以及高级映射.它采用面向对象编程的方式对数据库进行 CRUD 的操作,使程序中对关系数据库的操作更方便简 ...

  9. 卷积神经网络CNN识别MNIST数据集

    这次我们将建立一个卷积神经网络,它可以把MNIST手写字符的识别准确率提升到99%,读者可能需要一些卷积神经网络的基础知识才能更好的理解本节的内容. 程序的开头是导入TensorFlow: impor ...

  10. Unknown column 'user_id' in 'where clause'

    mapper位置报错Unknown column 'user_id' in 'where clause' 可能是数据库中的字段user_id包含空格