5

我正在玩 Python Requests 模块,到目前为止它一直很有趣。

但是,我在尝试使用 multipart/form-data 发布 zip 文件时遇到了问题。

我正在使用 Digest 身份验证,并且能够成功发布其他文件类型,例如 .xls 等。

我正在使用以下方式创建发布请求:

file = open('/Users/.../test.zip', 'rb').read()
r = requests.post(url, auth=HTTPDigestAuth('dev', 'dev'), data = {"mysubmit":"Go"}, files={"archive": ("test.zip", file)})

这会出错并给出:

requests.exceptions.ConnectionError: HTTPConnectionPool(host='10.2.2.70', port=80): Max retries exceeded with url: /plugin_install 
(Caused by <class 'socket.error'>: [Errno 32] Broken pipe)

我尝试过使用较小的 zip 文件并更改数据/文件值,并且发生了同样的错误。

我错过了一些明显的东西吗?

感谢您提供的任何光线!

4

2 回答 2

15

requests目前而言,zip 文件与任何其他二进制数据块之间没有区别。

你的服务器在这里坏了;当您向其发送 zip 文件时,它正在切断连接。这不是什么requests可以做的。

http://httpbin.org/当您遇到此类问题时,您可能需要进行测试;它是requests库的作者构建的测试服务。

另一个提示:发送时不需要将整个文件对象读入内存。只需将对象本身传递给requests

fileobj = open('/Users/.../test.zip', 'rb')
r = requests.post(url, auth=HTTPDigestAuth('dev', 'dev'), data = {"mysubmit":"Go"}, files={"archive": ("test.zip", fileobj)})

演示反对httpbin.org

>>> import requests
>>> fileobj = open('/tmp/test.zip', 'rb')
>>> r = requests.post('http://httpbin.org/post', data={"mysubmit":"Go"}, files={"archive": ("test.zip", fileobj)})
>>> r
<Response [200]>
>>> r.json()
{u'origin': u'217.32.203.188', u'files': {u'archive': u'data:application/zip;base64,<long base64 body omitted>'}, u'form': {u'mysubmit': u'Go'}, u'url': u'http://httpbin.org/post', u'args': {}, u'headers': {u'Content-Length': u'57008', u'Accept-Encoding': u'gzip, deflate, compress', u'Connection': u'close', u'Accept': u'*/*', u'User-Agent': u'python-requests/1.2.3 CPython/2.7.5 Darwin/12.4.0', u'Host': u'httpbin.org', u'Content-Type': u'multipart/form-data; boundary=9aec1d03a1794177a38b48416dd4c811'}, u'json': None, u'data': u''}
于 2013-08-13T11:44:03.277 回答
0

如果您在上传 zip 文件时遇到任何错误:此问题可能是由标题中的 'Content-Type': 'multipart/form-data' 设置引起的。该问题可以通过删除此设置来解决,如下例所示:

header = {'Content-Type': 'multipart/form-data', 'Authorization': 'Bearer {}'.format(bearerToken)}

将其更改为:

header = {'Authorization': 'Bearer {}'.format(bearerToken)}

对我有用的代码:

 header = {"INFA-SESSION-ID":self._v3SessionID}
 files = {'package': ("response.zip", open("C:\Users\myUser\Downloads\response.zip", 'rb'),'application/zip')}
 response = re.post(url, headers=header, files=files)
于 2021-09-24T19:56:27.870 回答