首页 > 其他分享 >【pytest进阶】pytest之hook函数

【pytest进阶】pytest之hook函数

时间:2024-02-02 17:05:36浏览次数:29  
标签:进阶 test self assert hook pytest print def

什么是 hook 函数

比如说你写了一个框架类的程序,你希望这个框架可以“被其他的代码注入”,即别人可以加入代码对你这个框架进行定制化,该如何做比较好?
一种很常见的方式就是约定一个规则框架初始化时会收集满足这个规则的所有代码(文件),然后把这些代码加入到框架中来,在执行时一并执行。所有这一规则下可以被框架收集到的方法就是hook方法。

pytest 加载插件的方式

  • 内置plugins:从代码内部的_pytest目录加载
  • 外部插件(第三方插件):通过setuptools entry points机制发现的第三方插件模块
    推荐的第三方的pytest的插件:https://docs.pytest.org/en/latest/plugins.html
  • conftest.py形式的本地插件:测试目录下的自动模块发现机制

查看当前pytest中所有的插件

pytest --trace-config命令可以查看当前pytest中所有的plugin。

编写自己的插件

官网文档

http://doc.pytest.org/en/latest/_modules/_pytest/hookspec.html

命令行添加自定义参数

parser.addoption()
参数说明:

  • name:自定义命令行参数的名字,可以是:“foo”, “-foo” 或 “–foo”
  • action:在命令行中遇到此参数时要采取的基本操作类型
  • nargs:应该使用的命令行参数的数量
  • const:某些操作和nargs选择所需的常量值
  • default:如果参数不在命令行中,则生成的默认值。
  • type:命令行参数应该转换为的类型
  • choices:参数允许值的容器
  • required:命令行选项是否可以省略(仅可选)
  • help:对参数作用的简要说明
  • metavar:用法消息中参数的名称
  • dest:要添加到 parse_args() 返回的对象中的属性的名称

使用场景

  • 使用 UI 自动化时,可以指定手机设备,或者不同的浏览器
  • 接口自动化时,可以指定正式环境,测试环境分别读取不同的配置文件数据

示例

# conftest.py 文件---项目根目录
# 注册一个命令行参数--cmdopt
def pytest_addoption(parser):
    parser.addoption(
        "--cmdopt",
        action="store",
        default="devices_info",
        help="What is needed to start the session udid and port,type is dict"
    )

# 创建一个 fixture 获取命令行参数--cmdopt 的值
@pytest.fixture()  # session 作用域的话,每次执行用例不会重启 app
def cmdopt(request):
    return request.config.getoption("--cmdopt")

用例中查看自定义参数

# test_simple.py 文件
class TestDemo(object):

    def test_004(self, cmdopt):
        print("获取到的设备名称:{}".format(cmdopt))
        assert 4 == 4

    def test_005(self, cmdopt):
        print("获取到的设备名称:{}".format(cmdopt))
        assert 4 == 5


pytest.main(['test_simple.py::TestDemo',
             '-vs', '--cmdopt=iphone'])

获取每个用例详细的执行结果

pytest_runtest_markreport()
可以获取到测试用例的详细执行结果,setup 是否执行成功,call 测试用例是否执行成功,teardown 是否执行成功

# conftest.py 文件
@pytest.hookimpl(hookwrapper=True, tryfirst=True)
def pytest_runtest_makereport(item, call):
    print('*'*50)
    # 获取钩子方法的调用结果
    out = yield
    print('用例执行结果', out)
    # 从钩子方法的调用结果中获取测试报告
    report = out.get_result()
    print('测试报告:{}'.format(report))
    print('步骤:{}'.format(report.when))
    print('nodeid:{}'.format(report.nodeid))
    print('description:{}'.format(str(item.function.__doc__)))
    print(('运行结果: {}'.format(report.outcome)))
    print('*'*50)
    
# 与上面一样,只是通过 when 进行了阶段的区分    
@pytest.hookimpl(hookwrapper=True, tryfirst=True)
def pytest_runtest_makereport(item, call):
    print('*' * 50)
    # 获取钩子方法的调用结果
    out = yield
    print('用例执行结果', out)
    # 从钩子方法的调用结果中获取测试报告
    report = out.get_result()
    # 通过 when 来区分 setup,call,teardown 这三个阶段
    if report.when == "call":
        print('测试报告:{}'.format(report))
        print('步骤:{}'.format(report.when))
        print('nodeid:{}'.format(report.nodeid))
        print('description:{}'.format(str(item.function.__doc__)))
        print(('运行结果: {}'.format(report.outcome)))
        print('*' * 50)
# test_simple.py 文件
class TestDemo(object):

    def test_004(self, cmdopt):
        assert 4 == 4

    def test_005(self, cmdopt):
        assert 4 == 5


pytest.main(['test_simple.py::TestDemo',
             '-v'])

改变用例执行顺序

pytest_collection_modifyitems(session, items)
可以通过此 hook 函数改变收集到用例的执行顺序

# conftest.py 文件
def pytest_collection_modifyitems(session, items):
    print("收集到的测试用例:%s" % items)
    random.shuffle(items) # 将收集到的用例进行随机
    print("随机排序后的用例:%s" % items)
# test_simple.py 文件
class TestDemo(object):
    def test_004(self):
        assert 4 == 4

    def test_b_002(self):
        assert 1 == 1

    def test_a_002(self):
        assert 1 == 1

    def test_005(self):
        assert 4 == 5

    def test_b_001(self):
        assert 1 == 1

    def test_a_001(self):
        assert 1 == 1


pytest.main(['test_simple.py::TestDemo',
             '-v'])

统计测试结果

pytest_terminal_summary(terminalreporter, exitstatus, config)
通过此 hook 函数可以获取到用例执行的结果,通过数,失败数,跳过数,总数,执行时间等

# conftest.py
# 收集测试结果
def pytest_terminal_summary(terminalreporter, exitstatus, config):
    print("收集测试结果开始:")
    print("*"*30)
    print(terminalreporter.stats)
    print("total:", terminalreporter._numcollected)
    print('passed:', len(terminalreporter.stats.get('passed', [])))
    print('failed:', len(terminalreporter.stats.get('failed', [])))
    print('error:', len(terminalreporter.stats.get('error', [])))
    print('skipped:', len(terminalreporter.stats.get('skipped', [])))
    # terminalreporter._sessionstarttime 会话开始时间
    duration = time.time() - terminalreporter._sessionstarttime
    print('total times:', duration, 's')
    print("收集测试结果结束:")
    print("*" * 30)
# test_simple.py 文件
class TestDemo(object):
    def test_004(self):
        assert 4 == 4

    def test_b_002(self):
        assert 1 == 1

    def test_a_002(self):
        assert 1 == 1

    def test_005(self):
        assert 4 == 5

    def test_b_001(self):
        assert 1 == 1

    def test_a_001(self):
        assert 1 == 1


pytest.main(['test_simple.py::TestDemo',
             '-v'])

标签:进阶,test,self,assert,hook,pytest,print,def
From: https://www.cnblogs.com/upstudy/p/18003447

相关文章

  • 【自动化基础】pytest详解及进阶使用
    pytest介绍及基本使用【自动化测试框架】pytest和unitttest你知道多少?区别在哪?该用哪个?pytest原理参数化@pytest.mark.parametrize(argnames,argvalues,indirect=False,ids=None,scope=None))参数说明argnames必传,参数名,以逗号分隔的字符串,表示一个或多个......
  • docker命令介绍-进阶学习
    启动停止docker相关命令systemctlstartdockersystemctlstatusdockersystemctlstopdockersystemctlenabledockersystemctlrestartdocker查看docke信息dockerinfodocker-version列出所有命令docker--hlep镜像相关命令查看本地所有镜像dockerimages搜索镜像:线......
  • 【APP自动化进阶】APP自动化项目框架实战
    一、自动化项目介绍1.涉及技术栈pythonappiumseleniumpytestalluresubprocessadb2.实现的功能概述APP自动化执行支持pytest生成测试报告多线程执行自动开启、关闭appium、allure等服务二、框架及项目结构项目目录app---apk文件base---核心方法driver.py-......
  • 软件测试/测试开发/全日制|Pytest allure如何添加测试用例步骤
    前言在编写自动化测试用例的时候经常会遇到需要编写流程性测试用例的场景,一般流程性的测试用例的测试步骤比较多,我们在测试用例中添加详细的步骤会提高测试用例的可阅读性。在allure提供给我们的众多装饰器中,就有一个非常符合我们的需求,它就是allure.step(),它可以帮助我们在测试用......
  • Ansible-playbook剧本进阶
    剧本高级特性篇循环在写playbook的时候发现了很多task都要重复引用某个相同的模块,比如一次启动10个服务,或者一次拷贝10个文件,如果按照传统的写法最少要写10次,这样会显得playbook很臃肿。如果使用循环的方式来编写playbook,这样可以减少重复编写task带来的臃肿。http......
  • 钩子hook,回调函数callback
    摘自和参考如下资料:钩子(回调函数)与PyTorch-知乎(zhihu.com) 把钩子函数传递给触发函数,就可以在触发函数内调用钩子函数了。其实就是把函数指针或者函数名传给另一个函数。只不过一般不单独这么用,配合类一起用可能就稍微麻烦了点。classOneday():def__init__(se......
  • 关于Windows11的优化内容 - 进阶者系列 - 学习者系列文章
          这几天无事,想起上次刚重装的Windows11操作系统,对于系统优化的内容想记录一下,以前没写过相关的博文,这次就做个记录吧。对于Windows11,已经出来几年了,相关的设置啥的也有,就是优化方面的软件和设置也有相关的,这次就把笔者这边所有相关的优化工具软件和脚本啥的一并发布......
  • RK3568驱动指南|驱动基础进阶篇-进阶8 内核运行ko文件总结
    瑞芯微RK3568芯片是一款定位中高端的通用型SOC,采用22nm制程工艺,搭载一颗四核Cortex-A55处理器和MaliG522EE图形处理器。RK3568支持4K解码和1080P编码,支持SATA/PCIE/USB3.0外围接口。RK3568内置独立NPU,可用于轻量级人工智能应用。RK3568支持安卓11和linux系统,主要面向......
  • vue3 在 TypeScript 文件中,const route = useRoute();route undefined 不能在顶层作用
    ts文件内部不能使用import{useRoute}from'vue-router';constroute=useRoute();routeundefined在TypeScript文件中,不能在顶层作用域内使用Vue组件的Hooks函数,例如useRoute。Hooks函数只能在Vue组件中使用。如果你想在TypeScript文件中获取当前路由信息,你可......
  • Unity架构师进阶:红点系统的架构与设计
     面试的时候经常被问道如何来设计一个红点系统,本文将详细地介绍如何设计一个红点系统,有哪些接口,并完整地给出实现。红点系统的需求分析首先我们来分析一下红点系统的设计需求: 红点系统严格意义上来说不属于框架,而是游戏逻辑,所以代码不要放到通用的框架里面,并不属于基础服务......