首页 > 编程语言 >【Playwright+Python】系列教程(七)使用Playwright进行API接口测试

【Playwright+Python】系列教程(七)使用Playwright进行API接口测试

时间:2024-08-05 21:50:08浏览次数:15  
标签:Playwright file Python request url API context playwright response

playwright也是可以做接口测试的,但个人觉得还是没有requests库强大,但和selenium相比的话,略胜一筹,毕竟支持API登录,也就是说可以不用交互直接调用接口操作了。

怎么用

既然是API的测试了,那肯定就别搞UI自动化那套,搞什么浏览器交互,那叫啥API测试,纯属扯淡。

也不像有些博主更懒,直接贴的官方例子,难道我用你再帮我复制一次?

来下面,说明下使用playwright如何做API测试?

实例化request对象

示例代码如下:

playwright.request.new_context()

没错,实例化后,就是调API,看吧,其实也不是很难是不是?

实战举栗

这里用我自己写的学生管理系统的部分接口来做演示,并对部分常用api做以说明,代码示例都是用同步的写法。

1、GET请求

示例如下:

def testQueryStudent(playwright: Playwright):
    """
    查询学生
    """
    url = 'http://localhost:8090/studentFindById'
    param = {
        'id': 105
    }
    request_context = playwright.request.new_context()
    response = request_context.get(url=url, params=param)
    assert response.ok
    assert response.json()
    print('\n', response.json())

效果:
image.png

2、POST请求

示例代码:

def testAddStudent(playwright: Playwright):
    """
    新增学生
    :return:
    """
    url = 'http://localhost:8090/studentAdd'
    request_body = {
        "className": "banji",
        "courseName": "wuli",
        "email": "ales@qq.com",
        "name": "ales",
        "score": 70,
        "sex": "boy",
        "studentId": "92908290"
    }
    header = {"Content-Type": "application/json"}
    request_context = playwright.request.new_context()
    response = request_context.post(url=url, headers=header, data=request_body)
    assert response.ok
    assert response.json()
    print('\n', response.json())

效果:
image.png

3、PUT请求

示例代码:

def testUpdateStudents(playwright: Playwright):
    """
    修改学生
    """
    url = 'http://localhost:8090/studentUpdate/100'
    param = {
        'studentId': "id" + str(100),
        'name': "name" + str(100),
        'score': 100,
        "sex": "girl",
        "className": "class" + str(100),
        "courseName": "course" + str(100),
        "email": str(100) + "email@qq.com"

    }
    request_context = playwright.request.new_context()
    response = request_context.put(url=url, form=param)
    assert response.ok
    assert response.json()
    print('\n', response.json())

效果:
image.png

4、DELETE请求

示例代码:

def testDeleteStudents(playwright: Playwright):
    """
    删除学生
    """
    url = 'http://localhost:8090/studentDelete/' + str(105)
    request_context = playwright.request.new_context()
    response = request_context.delete(url=url)
    assert response.ok
    assert response.json()
    print('\n', response.json())

效果:
image.png

5、上传文件

这个是特例吧,按照官方给的方法,我真的是死活也不能成功,一直都是提示上上传文件不能为空,也不到为啥,结果我用了一个替代方案,就是抓包模拟的构造入参,才成功,也是曲折呀。

示例代码:

def test_upload_file(playwright: Playwright):
    '''
    上传文件
    :param playwright:
    :return:
    '''
    # 创建请求上下文
    request_context = playwright.request.new_context()

    # 定义上传文件的URL
    upload_url = "http://localhost:8090/fileUpload"

    # 文件路径
    file_path = "d:/demo.txt"

    # 获取文件名和MIME类型
    filename = file_path.split('/')[-1]
    mime_type, _ = mimetypes.guess_type(file_path)
    if not mime_type:
        mime_type = 'application/octet-stream'

    # 读取文件内容
    with open(file_path, 'rb') as file:
        file_content = file.read()

    # 构造multipart/form-data的边界字符串
    boundary = '---------------------' + str(random.randint(1e28, 1e29 - 1))

    # 构造请求体
    body = (
        f'--{boundary}\r\n'
        f'Content-Disposition: form-data; name="file"; filename="{filename}"\r\n'
        f'Content-Type: {mime_type}\r\n\r\n'
        f'{file_content.decode("utf-8") if mime_type.startswith("text/") else file_content.hex()}'
        f'\r\n--{boundary}--\r\n'
    ).encode('utf-8')

    # 设置请求头
    headers = {
        'Content-Type': f'multipart/form-data; boundary={boundary}',
    }
    # 发起POST请求
    response = request_context.post(upload_url, data=body, headers=headers)

    # 检查响应
    assert response.status == 200, f"Upload failed with status: {response.status}"
    assert response.ok
    assert response.json()
    print('\n', response.json())

效果:
image.png
官方写法:

# 读取文件内容
with open(file_path, 'rb') as file:
    file_content = file.read()
    response = request_context.post(upload_url, multipart={
        "fileField": {
            "name": "demo.txt",
            "mimeType": "text/plain",
            "buffer": file_content,
        }
    })
print('\n', response.json())

效果:
image.png
官方写法,我不知道为啥,有大侠知道,还请帮忙给个例子,小弟不胜感激呀!

写在最后

我还是觉得微软很强呀,这套框架确实比selenium略胜一筹,综合来看。
终于有时间了,来更新一篇,感觉文章对你有用,转发留言都可,谢谢!
对了,那个上传文件的为啥不行,还请前辈们帮看一下呀!

标签:Playwright,file,Python,request,url,API,context,playwright,response
From: https://www.cnblogs.com/longronglang/p/18344122

相关文章

  • Mojo中集成Python详解及问题说明
    官方的长期目标是让Mojo成为Python的超集(即让Mojo与现有的Python程序兼容)。Python程序员应该能够立即使用Mojo,并能够访问当今庞大的Python包生态系统。然而,Mojo仍处于早期开发阶段,许多Python功能尚未实现。目前,您无法在Mojo中编写所有可以用Python编写的......
  • python图表没有正确显示中文,这通常是因为matplotlib的默认设置不支持中文字符,或者相应
    如果图表没有正确显示中文,这通常是因为matplotlib的默认设置不支持中文字符,或者相应的字体没有正确加载。你可以通过指定支持中文的字体来解决这个问题。下面是如何设置matplotlib以确保能够在图表中显示中文的步骤:方法1:全局设置字体你可以修改matplotlib的全局配置,使......
  • 在python jupyter下运行cuda c++程序
    Installrunthisonjupyter(*.ipynb)files!pip3installnvcc4jupyterUsageloadtheextensiontoenablethemagiccommands:%load_extnvcc4jupyterRuncudatest%%cuda#include<stdio.h>__global__voidhello(){printf("Hellofromblock......
  • 在python jupyter下运行cuda c++程序
    Installrunthisonjupyter(*.ipynb)files!pip3installnvcc4jupyterUsageloadtheextensiontoenablethemagiccommands:%load_extnvcc4jupyterRuncudatest%%cuda#include<stdio.h>__global__voidhello(){printf("Hellofromblock......
  • SciTech-Mathmatics-ImageProcessing-Remove the Background from an image using Pyt
    https://www.geeksforgeeks.org/how-to-remove-the-background-from-an-image-using-python/pipinstallPillowpipinstallrembg#ImportingRequiredModulesfromrembgimportremovefromPILimportImage#Storepathoftheimageinthevariableinput_......
  • python 发送buffer类型数据, 发送octet-stream类型数据, 发送Uint8Array类型数据
       #-*-coding:utf-8-*-#@Time:2024/7/3120:20#@Author:Dragonjs_code=r"""commonjsGlobal={};varprotobuf_min={exports:{}};(function(module){!function(g){varr2,e2,i2;r2={1......
  • 【Python】笛卡尔积 intertools.product()
    一、题目Thistoolcomputesthecartesianproductofinputiterables.Itisequivalenttonestedfor-loops.Forexample,product(A,B)returnsthesameas((x,y)forxinAfroyinB).SampleCodefromitertoolsimportproductprint(list(product([1,2,3],......
  • 【Python】Python中的输入与输出——内附Leetcode【151.反转字符串中的单词】的C语言
    输入与输出导读一、Python中的输出1.1基本用法1.2格式化输出1.3通过`:`格式化值的输出1.4其它格式化输出二、Python中的输入2.1基本用法2.2`split()`方法2.3split()习题演练结语导读大家好,很高兴又和大家见面啦!!!在上一篇内容中我们介绍了Python中的数据类......
  • Python 和 Boto3 批量管理 AWS CloudWatch 警报
    在管理AWS基础设施时,CloudWatch警报是一个重要的组成部分,它们帮助我们监控资源并在需要时触发操作。然而,在某些情况下,我们可能需要批量禁用或启用这些警报。本文将介绍如何使用Python和Boto3库来实现这一目标。背景在维护或大规模更新期间,可能需要临时禁用所有CloudW......
  • 【Python&RS】基于矢量点读取遥感影像波段值&制作训练样本
    ​    在进行遥感定量反演或数据分析时,往往我们都具有矢量的真值,可能是点文件也可能是面文件,最重要的还是通过这个矢量获取影像中该区域的值,这样方便做波段分析以及后续的反演等流程。今天给大家分享一下如何通过点文件获取影像的波段值。原创作者:RS迷途小书童博客......