python中Requests发送json格式的post请求

问题:
做requests请求时遇到如下报错

{“code”:“500”,“message”:"JSON parse error: Cannot construct instance of com.bang.erpapplication.domain.User (although at least one Creator exists): no String-argument constructor/factory method to deserialize from String value

原因:
Requests.post源码如下:
python中Requests发送json格式的post请求_第1张图片
post请求传body的参数有两种:data和json
那么我们来看一下python各种数据结构做为body传入的表现
1.普通string类型

string2 = "2222222"
r = requests.post("http://httpbin.org/post", data=string2)
print(r.text)

返回的结果
python中Requests发送json格式的post请求_第2张图片
2.string内是字典的

import requests
string = "{'key1': 'value1', 'key2': 'value2'}"
r = requests.post("http://httpbin.org/post", data=string)
print(r.text)

返回结果
python中Requests发送json格式的post请求_第3张图片
3.元组(嵌套列表或者)

import requests
string = (['key1', 'value1'],)
r = requests.post("http://httpbin.org/post", data=string)
print(r.text)

返回结果:
python中Requests发送json格式的post请求_第4张图片
4.字典
python中Requests发送json格式的post请求_第5张图片
5.json

import requests
import json

dic = {
     'key1': 'value1', 'key2': 'value2'}
string = json.dumps(dic)
r = requests.post("http://httpbin.org/post", data=string)
print(r.text)

返回结果
python中Requests发送json格式的post请求_第6张图片
6.传入非嵌套元组或列表

string = ['key1','value1']
r = requests.post("http://httpbin.org/post", data=string)
print(r.text)

返回报错
python中Requests发送json格式的post请求_第7张图片
7.以post(url,json=data)请求

dic = {
     'key1': 'value1', 'key2': 'value2'}
r = requests.post("http://httpbin.org/post", json=dic)
print(r.text)

运行结果
python中Requests发送json格式的post请求_第8张图片
由以上运行结果可以看出:

转入参数 body数据类型 headers(Content-type)
data string text/plain纯文本(默认)
data 元组(嵌套) text/plain纯文本(默认)–转为dict
data 元组(非嵌套) 报错,不支持
data 列表 报错,不支持
data 字典 application/x-www-form-urlencoded(key/value表单)
data json(字符串但!= python string) text/plain纯文本(默认)-要再做验证
json 字典(源码内转成了json) application/json(json串)

现在让我们来看一下源码:
当转入json=data时:
python中Requests发送json格式的post请求_第9张图片
当输入data=data时:
python中Requests发送json格式的post请求_第10张图片
结论:
所以当你请求的data=dict时,未转为JSON的情况下,requests默认以表单形式key/value形式提交请求

setRequestHeader("Content-type", "application/x-www-form-urlencoded; charset=utf-8");

以json=dict形式请求时,以application/json格式发出请求

setRequestHeader("Content-type","application/json; charset=utf-8");

以data=其它请求时,默认就按纯文本格式请求:

setRequestHeader("Content-type", "text/plain; charset=utf-8");

以上内容为原创内容,纯属个人理解,转载请注明出处。

你可能感兴趣的:(Requests学习笔记,python,post,json,ajax)