我需要POST一个JSON从客户端到服务器。我使用的是Python 2.7.1和simplejson。客户端正在使用请求。服务器为CherryPy。我可以得到一个硬编码的JSON从服务器(代码未显示),但当我试图POST一个JSON到服务器,我得到“400坏请求”。
下面是我的客户端代码:
data = {'sender': 'Alice',
'receiver': 'Bob',
'message': 'We did it!'}
data_json = simplejson.dumps(data)
payload = {'json_payload': data_json}
r = requests.post("http://localhost:8080", data=payload)
下面是服务器代码。
class Root(object):
def __init__(self, content):
self.content = content
print self.content # this works
exposed = True
def GET(self):
cherrypy.response.headers['Content-Type'] = 'application/json'
return simplejson.dumps(self.content)
def POST(self):
self.content = simplejson.loads(cherrypy.request.body.read())
什么好主意吗?
你需要在data / json / files之间使用哪个参数取决于名为Content-Type的请求头(你可以通过浏览器的开发工具检查这个)。
当Content-Type为application/x-www-form-urlencoded时,使用data=:
requests.post(url, data=json_obj)
当Content-Type是application/json时,你可以使用json=或者使用data=并自己设置Content-Type:
requests.post(url, json=json_obj)
requests.post(url, data=jsonstr, headers={"Content-Type":"application/json"})
当Content-Type为multipart/form-data时,它用于上传文件,因此使用files=:
requests.post(url, files=xxxx)
从Requests 2.4.2版本开始,你可以在调用中使用json=参数(接受一个字典)而不是data=(接受一个字符串):
>>> import requests
>>> r = requests.post('http://httpbin.org/post', json={"key": "value"})
>>> r.status_code
200
>>> r.json()
{'args': {},
'data': '{"key": "value"}',
'files': {},
'form': {},
'headers': {'Accept': '*/*',
'Accept-Encoding': 'gzip, deflate',
'Connection': 'close',
'Content-Length': '16',
'Content-Type': 'application/json',
'Host': 'httpbin.org',
'User-Agent': 'python-requests/2.4.3 CPython/3.4.0',
'X-Request-Id': 'xx-xx-xx'},
'json': {'key': 'value'},
'origin': 'x.x.x.x',
'url': 'http://httpbin.org/post'}
适用于python 3.5+
客户:
import requests
data = {'sender': 'Alice',
'receiver': 'Bob',
'message': 'We did it!'}
r = requests.post("http://localhost:8080", json={'json_payload': data})
服务器:
class Root(object):
def __init__(self, content):
self.content = content
print self.content # this works
exposed = True
def GET(self):
cherrypy.response.headers['Content-Type'] = 'application/json'
return simplejson.dumps(self.content)
@cherrypy.tools.json_in()
@cherrypy.tools.json_out()
def POST(self):
self.content = cherrypy.request.json
return {'status': 'success', 'message': 'updated'}