如何使用相同的POST名称提交具有请求的多个文件?

对于请求,当使用带有简单数据的POST时,我可以对多个值使用相同的名称. CURL命令:

curl --data "source=contents1&source=contents2" example.com

可以翻译成:

data = {'source': ['contents1', 'contents2']}
requests.post('example.com', data)

这同样适用于文件.如果我翻译工作CURL命令:

curl --form "source=@./file1.txt" --form "source=@./file2.txt" example.com

至:

with open('file1.txt') as f1, open('file2.txt') as f2:
    files = {'source': [f1, f2]}
    requests.post('example.com', files=files)

只收到最后一个文件.

来自werkzeug.datastructures的MultiDict也没有帮助.

如何提交具有相同POST名称的多个文件?

最佳答案 不要使用字典,使用元组列表;每个元组a(名称,文件)对:

files = [('source', f1), ('source', f2)]

file元素可以是另一个元组,其中包含有关该文件的更多详细信息;要包含文件名和mimetype,您可以:

files = [
    ('source', ('f1.ext', f1, 'application/x-example-mimetype'),
    ('source', ('f2.ext', f2, 'application/x-example-mimetype'),
]

这在文档的高级用法章节的POST Multiple Multipart-Encoded Files section中有记录.

点赞