Python 요청을 사용하여 JSON 게시 사용하고 있습니다. 서버는 CherryPy입니다. 서버에서 하드

클라이언트에서 서버로 JSON을 POST해야합니다. Python 2.7.1 및 simplejson을 사용하고 있습니다. 클라이언트가 요청을 사용하고 있습니다. 서버는 CherryPy입니다. 서버에서 하드 코딩 된 JSON을 얻을 수 있지만 (코드는 표시되지 않음) JSON을 서버에 POST하려고하면 “400 Bad Request”가 표시됩니다.

내 고객 코드는 다음과 같습니다.

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())

어떤 아이디어?



답변

Requests 버전 2.4.2부터는 호출에서 ‘json’매개 변수를 대신 사용할 수 있습니다.

>>> 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'}

편집 :이 기능은 공식 문서에 추가되었습니다. 여기에서 볼 수 있습니다 : 문서 요청


답변

헤더 정보가 누락되었습니다. 다음과 같이 작동합니다.

url = "http://localhost:8080"
data = {'sender': 'Alice', 'receiver': 'Bob', 'message': 'We did it!'}
headers = {'Content-type': 'application/json', 'Accept': 'text/plain'}
r = requests.post(url, data=json.dumps(data), headers=headers)


답변

요청 2.4.2 ( https://pypi.python.org/pypi/requests )에서 “json”매개 변수가 지원됩니다. “Content-Type”을 지정할 필요가 없습니다. 따라서 더 짧은 버전 :

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


답변

더 좋은 방법은 :

url = "http://xxx.xxxx.xx"

datas = {"cardno":"6248889874650987","systemIdentify":"s08","sourceChannel": 12}

headers = {'Content-type': 'application/json'}

rsp = requests.post(url, json=datas, headers=headers)


답변

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 / 파일) 사이의 어떤 매개 변수를 사용해야합니까? 실제로 ContentType이라는 요청 헤더에 따라 다릅니다 (일반적으로 브라우저의 개발자 도구를 통해 확인),

Content-Type이 application / x-www-form-urlencoded 인 경우 코드는 다음과 같아야합니다.

requests.post(url, data=jsonObj)

Content-Type이 application / json 인 경우 코드는 다음 중 하나 여야합니다.

requests.post(url, json=jsonObj)
requests.post(url, data=jsonstr, headers={"Content-Type":"application/json"})

Content-Type이 multipart / form-data 인 경우 파일을 업로드하는 데 사용되므로 코드는 다음과 같아야합니다.

requests.post(url, files=xxxx)


답변