2

可能重复:
如何设置文件名作为响应

我将文件存储在 MongoDB 中。为了从 Pyramid 提供文件,我这样做:

# view file
def file(request):
    id = ObjectId(request.matchdict['_id'])
    collection = request.matchdict['collection']
    fs = GridFS(db, collection)
    f = fs.get(id)
    filename, ext = os.path.splitext(f.name)
    ext = ext.strip('.')
    if ext in ['pdf','jpg']:
        response = Response(content_type='application/%s' % ext)
    else:
        response = Response(content_type='application/file')
    response.app_iter = FileIter(f)
    return response

使用这种方法,文件名默认为ObjectId文件的字符串,它不漂亮并且缺少正确的文件扩展名。我查看了文档以了解如何/在何处重命名Response对象内的文件,但我看不到它。任何帮助都会很棒。

4

2 回答 2

4

没有 100% 万无一失的方法来设置文件名。由浏览器决定文件名。

也就是说,您可以使用Content-Disposition标题来指定您希望浏览器下载文件而不是显示它,并且您还可以建议文件的文件名以用于该文件。它看起来像这样:

Content-Disposition: attachment; filename="fname.ext"

但是,没有可靠的跨浏览器方法来指定具有非 ascii 字符的文件名。有关更多详细信息,请参阅此 stackoverflow 问题。您还必须小心使用quoted-string文件名的编码;您应该构造一个文件名,删除所有非 ascii 字符并"\".

现在是金字塔特定的东西。只需Content-Disposition在您的回复中添加一个标题。(请注意,这application/file不是有效的 mime 类型application/octet-stream用作“通用”字节袋类型。)

# "application/file" is not a valid mime type!
content_subtype = ext if ext in ['jpg','pdf'] else 'octet-stream'

# This replaces non-ascii characters with '?'
# (This assumes f.name is a unicode string)
content_disposition_filename = f.name.encode('ascii', 'replace')

response = Response(content_type="application/%s" % content_subtype,
                    content_disposition='attachment; filename="%s"' 
                      % content_disposition_filename.replace('"','\\"')
           )
于 2012-10-25T22:20:16.747 回答
3

看起来你必须设置Content-Disposition标题:

response.content_disposition = 'attachment; filename=%s' % filename
于 2012-10-25T21:57:41.293 回答