使用 Python-Request 发布 REST 帖子

声明:本页面是StackOverFlow热门问题的中英对照翻译,遵循CC BY-SA 4.0协议,如果您需要使用它,必须同样遵循CC BY-SA许可,注明原文地址和作者信息,同时你必须将它归于原作者(不是我):StackOverFlow 原文地址: http://stackoverflow.com/questions/13941742/
Warning: these are provided under cc-by-sa 4.0 license. You are free to use/share it, But you must attribute it to the original authors (not me): StackOverFlow

提示:将鼠标放在中文语句上可以显示对应的英文。显示中英文
时间:2020-08-18 09:58:26  来源:igfitidea点击:

REST post using Python-Request

pythonpython-2.7python-requests

提问by Suave Nti

Why doesn't this simple code POST data to my service:

为什么这个简单的代码不向我的服务发送数据:

import requests
import json

data = {"data" : "24.3"}
data_json = json.dumps(data)
response = requests.post(url, data=data_json)
print response.text

And my service is developed using WCF like this :

我的服务是使用 WCF 开发的,如下所示:

  [OperationContract]
  [WebInvoke(Method = "POST", UriTemplate = "/test", ResponseFormat =    
      WebMessageFormat.Json,RequestFormat=WebMessageFormat.Json)]
  string test(string data );

Note: If is remove the input parameter dataeverything works fine, what may be the issue.

注意:如果删除输入参数data一切正常,可能是什么问题。

采纳答案by Martijn Pieters

You need to set the content type header:

您需要设置内容类型标题:

data = {"data" : "24.3"}
data_json = json.dumps(data)
headers = {'Content-type': 'application/json'}

response = requests.post(url, data=data_json, headers=headers)

If I set urlto http://httpbin.org/post, that server echos back to me what was posted:

如果我设置urlhttp://httpbin.org/post,该服务器会向我回显发布的内容:

>>> import json
>>> import requests
>>> import pprint
>>> url = 'http://httpbin.org/post'
>>> data = {"data" : "24.3"}
>>> data_json = json.dumps(data)
>>> headers = {'Content-type': 'application/json'}
>>> response = requests.post(url, data=data_json, headers=headers)
>>> pprint.pprint(response.json())
{u'args': {},
 u'data': u'{"data": "24.3"}',
 u'files': {},
 u'form': {},
 u'headers': {u'Accept': u'*/*',
              u'Accept-Encoding': u'gzip, deflate, compress',
              u'Connection': u'keep-alive',
              u'Content-Length': u'16',
              u'Content-Type': u'application/json',
              u'Host': u'httpbin.org',
              u'User-Agent': u'python-requests/1.0.3 CPython/2.6.8 Darwin/11.4.2'},
 u'json': {u'data': u'24.3'},
 u'origin': u'109.247.40.35',
 u'url': u'http://httpbin.org/post'}
>>> pprint.pprint(response.json()['json'])
{u'data': u'24.3'}

If you are using requestsversion 2.4.2 or newer, you can leave the JSON encoding to the library; it'll automatically set the correct Content-Type header for you too. Pass in the data to be sent as JSON into the jsonkeyword argument:

如果您使用的是requests2.4.2 或更高版本,则可以将 JSON 编码留给库;它也会自动为您设置正确的 Content-Type 标头。将要作为 JSON 发送的数据传入json关键字参数:

data = {"data" : "24.3"}
response = requests.post(url, json=data)