1

哇,很难将我的问题在这里概括为一个简洁的标题。我希望我成功了。

我有一个简单的缩略图功能,当我尝试从 Amazon S3 检索 URL,然后convert使用 ImageMagick 时,它会导致我出现问题。我通常会使用 PIL 读取图像文件并进行转换,但 PIL 不读取 PDF 格式,因此我求助于通过子进程调用进行转换。

这是来自 django views.py 的一些代码。这里的想法是我从 S3 获取文件 url,用 . 打开它convert,将其处理为 PNG,将其发送到 stdout,然后使用输出的缓冲区加载 StringIO 对象,然后将其传递回 default_storages 以保存缩略图文件返回到 S3。对于这样一个简单的工作来说,这真是太棒了,但你去吧。

请注意:我无法convert在使用 Heroku 的生产设置中可靠地将文件保存到磁盘,否则,我已经这样做了。

def _large_thumbnail_s3(p):

    # get the URL from S3, trimming off the expiry info etc. So far so good.

    url = default_storage.url(p+'.pdf').split('?')
    url = url[0]

    # this opens the PDF file fine, and proceeds to convert and send 
    # the new PNG to the buffer via standard output.

    from subprocess import call 
    call("convert -thumbnail '400x600>' -density 96 -quality 85 "
        +url
        +" png:-", shell=True)

    from StringIO import StringIO

    # here's where the problem starts. I'm clearly not reading
    # in the stdout correctly, as I get a IOError: File not open for reading
    # from this next line of code:

    completeStdin = sys.stdout.read()
    im = StringIO(completeStdin)

    # now take the StringIO PNG object and save it back to S3 (this 
    # should not be an issue.

    im = default_storage.open(p+'_lg.png', 'w+b')
    im.close()

谁能告诉我a)在将输出发送回缩略图功能方面我可能会出错的地方,以及b)您是否可以建议任何更强大的替代方案来替代看起来非常老套的方法!

TIA

4

1 回答 1

1

您需要使用subprocess.check_output,而不是subprocess.call

from subprocess import check_output
from StringIO import StringIO

out, err = check_output("convert -thumbnail '400x600>' -density 96 -quality 85 "
    +url
    +" png:-", shell=True)

buffer = StringIO(out)
于 2013-07-22T15:45:05.863 回答