Python requests.post方法中data与json参数区别

Python requests.post中data与json参数说明

今天看到百度AI人脸识别接口,在Python样例中注意到requests.post模块的json参数用法,之前一直用data参数。链接: 百度AI人脸识别接口。

参考链接:

参考链接: Python requests.post方法中data与json参数区别.
参考链接: Python 接口测试requests.post方法中data与json参数区别.

参数说明

在通过requests.post()进行POST请求时,传入报文的参数有两个,一个是data,一个是json。data与json既可以是str类型,也可以是dict类型。

参数区别

  1. 不管json是str还是dict,如果不指定headers中的content-type,默认为application/json

  2. data为dict时,如果不指定content-type,默认为application/x-www-form-urlencoded,相当于普通form表单提交的形式

  3. data为str时,如果不指定content-type,默认为text/plain

  4. json为dict时,如果不指定content-type,默认为application/json

  5. json为str时,如果不指定content-type,默认为application/json

  6. 用data参数提交数据时,request.body的内容则为a=1&b=2的这种形式,用json参数提交数据时,request.body的内容则为’{“a”: 1, “b”: 2}'的这种形式

举例说明

// 服务端打印显示
from django.shortcuts import render, HttpResponse


def index(request):
    print(request.body)
    """
    当post请求的请求体以data为参数,发送过来的数据格式为:b'username=amy&password=123'
    当post请求的请求体以json为参数,发送过来的数据格式为:b'{"username": "amy", "password": "123"}'
    """
    print(request.headers)
    """
    当post请求的请求体以data为参数,Content-Type为:application/x-www-form-urlencoded
    当post请求的请求体以json为参数,Content-Type为:application/json
    """
    return HttpResponse("ok")
// 客户端调用打印请求体
import requests

r1 = requests.post(
    url="http://127.0.0.1:8089/index/",
    data={
        "username": "amy",
        "password": "123"
    }

    # data='username=amy&password=123'

    # json={
    #     "username": "amy",
    #     "password": "123"
    # }

    # json='username=amy&password=123'
)
print(r1.text)

你可能感兴趣的:(Django,Python,python,django)