基于上文“使用postman注册一个账号”的简答示例,本文主要讲解postman的脚本实现原理
个人理解,发送http请求有三个重要部分,url, data 以及 请求方式,data是请求数据,如注册账号时发送的以json格式传递的{"name" : "zc","password" : "zc@123"}等信息,那么在使用脚本实现的时候,也离不开这三个重要信息。
使用JavaScript方式实现:
感兴趣的同学可打开菜鸟教程,查看下JavaScript Http请求那一节,JavaScript在实现前后端数据请求的时候使用的ajax
ajax传递的时候,需要将url, data 打包,同时请求方式也在打包的数据内,通过ajax传递的时候,返回值通过回调response返回(在此需注意headers里数据的格式)。
前端往往是通过一个时间事件来触发这个请求,如点击button,触发一个方法,发送ajax。
使用Python实现:
Python中会使用到比较常见也相当重要的库:Python.request
定义一个类,包含一个实现注册请求的方法,作为用例层,也就是业务层:
class TestCreateCustomerAccount:
def test_create_enterprise_account(self):
user_data = {
"name" : "zc",
"password" : "zc@123"
}
# 注册用户的基本信息
res_user = CustomerAccount().create_customer_account(data=user_data)
定义一个类,作为接口类
from common.RequestModel
import RequestModel
class CustomerAccount(RequestModel):
def __init__(self):
RequestModel.__init__(self)
self.url = self.url + "/backend/sales"
@allure.step("客户账号注册接口")
def create_customer_account(self, data=None):
self.url = self.url + "/screen-factory"
logger.info("客户账号注册接口:", self.url)
return self.post(data=data, with_token=True)
底层对request库再进行封装
import requests
from common.utils import log_ret
from common.RequestEnv import request_env
class RequestModel:
url = None
token = None
COMMON_HEADER = {
'Accept': 'application/json',
'Content-Type': 'application/json',
}
def __init__(self, url=None, token=None)
self.url = url
self.token = token
def post(self, headers=None, with_token=True, data=None):
headers = self.merge_header(header=headers, with_token=with_token, token=self.token)
res = requests.post(self.url, json=data, headers=headers)
return log_ret(res)
第一层,通过业务需求将测试数据打包,下发给第二层,也就是接口层。通过接口层的转发,调用post请求,将data通过request库调用传递,实现业务流。
这三层封装,层次分明,将业务逻辑和底层数据逻辑分离,有点MVVM的思想,底层封装便于整个业务架构复用。