我需要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())

什么好主意吗?


当前回答

headers = {"charset": "utf-8", "Content-Type": "application/json"}
url = 'http://localhost:PORT_NUM/FILE.php'

r = requests.post(url, json=YOUR_JSON_DATA, headers=headers)
print(r.text)

其他回答

我是这样解决的:

from flask import Flask, request
from flask_restful import Resource, Api


req = request.json
if not req :
    req = request.form
req['value']

适用于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'}

对于当前请求,您可以通过JSON参数传入任何数据结构,转储为有效的JSON,而不仅仅是字典(正如Zeyang Lin的回答所错误地声称的那样)。

import requests
r = requests.post('http://httpbin.org/post', json=[1, 2, {"a": 3}])

如果需要对响应中的元素进行排序,这将特别有用。

在请求2.4.2 (https://pypi.python.org/pypi/requests)中,支持“json”参数。不需要指定“Content-Type”。所以简短的版本:

requests.post('http://httpbin.org/post', json={'test': 'cheers'})

你需要在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)