1

我在 Python 3.6.2 中使用 HTTP.client 与 API 通信。

为了上传文件,它需要三个阶段的过程。

我已经成功地使用 POST 方法进行了交谈,并且服务器按我的预期返回了数据。

但是,需要上传实际文件的阶段是 PUT 方法 - 我无法弄清楚如何编写代码以包含指向我存储中实际文件的指针 - 该文件是一个 mp4 视频文件。这是带有我的菜鸟注释的代码片段:)

#define connection as HTTPS and define URL
uploadstep2 = http.client.HTTPSConnection("grabyo-prod.s3-accelerate.amazonaws.com")

#define headers
headers = {
    'accept': "application/json",
    'content-type': "application/x-www-form-urlencoded"
}

#define the structure of the request and send it.
#Here it is a PUT request to the unique URL as defined above with the correct file and headers.
uploadstep2.request("PUT", myUniqueUploadUrl, body="C:\Test.mp4", headers=headers)

#get the response from the server
uploadstep2response = uploadstep2.getresponse()

#read the data from the response and put to a usable variable
step2responsedata = uploadstep2response.read()

我在这个阶段得到的响应是“错误 400 错误请求 - 无法获取文件信息”。

我确定这与代码的body="C:\Test.mp4"部分有关。

您能否建议我如何正确引用 PUT 方法中的文件?

提前致谢

4

2 回答 2

2
uploadstep2.request("PUT", myUniqueUploadUrl, body="C:\Test.mp4", headers=headers)

会将实际字符串"C:\Test.mp4"放在您的请求正文中,而不是"C:\Test.mp4"您期望的文件内容。

您需要打开文件,读取其内容,然后将其作为正文传递。或者流式传输它,但 AFAIKhttp.client不支持它,并且由于您的文件似乎是一个视频,它可能很大,并且会无缘无故地使用大量 RAM。

我的建议是使用requests,这是一种更好的库来做这种事情:

import requests
with open(r'C:\Test.mp4'), 'rb') as finput:
   response = requests.put('https://grabyo-prod.s3-accelerate.amazonaws.com/youruploadpath', data=finput)
   print(response.json())
于 2017-09-26T15:06:26.967 回答
1

我不知道它是否对您有用,但您可以尝试使用 requests 模块发送 POST 请求:

import requests
url = ""
data = {'title':'metadata','timeDuration':120}
mp3_f = open('/path/your_file.mp3', 'rb')
files = {'messageFile': mp3_f}

req = requests.post(url, files=files, json=data)
print (req.status_code)
print (req.content)

希望能帮助到你 。

于 2017-09-26T15:06:51.130 回答