3

我将上传的图像存储在 gridfs (mongodb) 中。因此,图像数据永远不会保存在普通文件系统上。这通过使用以下代码来工作:

import pymongo
import gridfs

conn = pymongo.Connection()
db = conn.my_gridfs_db
fs = gridfs.GridFS(db)

...
    with fs.new_file(
        filename = 'my-filename-1.png',
    ) as fp:
        fp.write(image_data_as_string)

我还想存储该图像的缩略图。我不在乎使用哪个库,PIL、Pillow、sor​​l-thumbnail 或任何最适合我的库。

我想知道是否有一种方法可以在不临时将文件保存在文件系统中的情况下生成缩略图。那会更干净,开销也更少。是否有内存缩略图生成器?

更新

我保存缩略图的解决方案:

from PIL import Image, ImageOps
content = cStringIO.StringIO()
content(icon)
image = Image.open(content)

temp_content = cStringIO.StringIO()
thumb = ImageOps.fit(image, (width, height), Image.ANTIALIAS)
thumb.save(temp_content, format='png')
temp_content.seek(0)
gridfs_image_data = temp_content.getvalue()

with fs.new_file(
    content_type = mimetypes.guess_type(filename)[0],
    filename = filename,
    size = size,
    width = width,
    height = height,
) as fp:
    fp.write(gridfs_image_data)

然后通过nginx-gridfs提供该文件。

4

1 回答 1

3

您可以将其保存到StringIO对象而不是文件(cStringIO如果可能,请使用模块):

from StringIO import StringIO

fake_file = StringIO()
thing.save(fake_file)  # Acts like a file handle
contents = fake_file.getvalue()
fake_file.close()

或者,如果您喜欢上下文管理器:

import contextlib
from StringIO import StringIO

with contextlib.closing(StringIO()) as handle:
    thing.save(handle)
    contents = handle.getvalue()
于 2013-06-30T23:29:22.297 回答