5

我正在尝试解码 base64 编码的图像并将其放入我使用 ReportLab 生成的 PDF 中。我目前这样做(image_data是base64编码的图像,story已经是ReportLab的故事):

# There is some "story" I append every element
img_height = 1.5 * inch  # max image height
img_file = tempfile.NamedTemporaryFile(mode='wb', suffix='.png')
img_file.seek(0)
img_file.write(image_data.decode('base64'))
img_file.seek(0)
img_size = ImageReader(img_file.name).getSize()
img_ratio = img_size[0] / float(img_size[1])
img = Image(img_file.name,
    width=img_ratio * img_height,
    height=img_height,
)
story.append(img)

它有效(尽管对我来说仍然很难看)。我想过摆脱临时文件(不应该像文件一样的对象吗?)。

为了摆脱我尝试使用StringIO模块的临时文件,创建类似文件的对象并传递它而不是文件名:

# There is some "story" I append every element
img_height = 1.5 * inch  # max image height
img_file = StringIO.StringIO()
img_file.seek(0)
img_file.write(image_data.decode('base64'))
img_file.seek(0)
img_size = ImageReader(img_file).getSize()
img_ratio = img_size[0] / float(img_size[1])
img = Image(img_file,
    width=img_ratio * img_height,
    height=img_height,
)
story.append(img)

但这给了我IOError并显示以下消息:“无法识别图像文件”。

我知道 ReportLab 使用 PIL 来读取不同于 jpg 的图像,但是有什么方法可以避免创建命名的临时文件并且只使用类似文件的对象来执行此操作,而不将文件写入磁盘?

4

4 回答 4

2

你应该用 包装 StringIO() PIL.Image.open,所以简单img_size = ImageReader(PIL.Image.open(img_file)).getSize()。正如 Tommaso 的回答所暗示的,它实际上是 Image.size 的一个薄包装。此外,实际上不需要自己计算 desc 大小,boundreportlab.Image 的模式可以为您完成:

img_height = 1.5 * inch  # max image height
img_file = StringIO.StringIO(image_data.decode('base64'))
img_file.seek(0)
img = Image(PIL.Image.open(img_file),
            width=float('inf'),
            height=img_height,
            kind='bound')
)
story.append(img)
于 2012-04-03T07:09:00.133 回答
0

这段代码在没有 PIL 的情况下对我有用,因为图像已经是 JPEG:raw 只是从字典中提取 base64 字符串。我只是将解码的“字符串”包装在 StringIO 中。

        raw = element['photographs'][0]['jpeg']
        photo = base64.b64decode(raw)
        c.drawImage(ImageReader(StringIO.StringIO(photo)), 0.5*inch, self.y, height = self.PHOTOHEIGHT, preserveAspectRatio = True)
于 2012-11-19T17:36:49.930 回答
0

我不熟悉 ReportLab,但如果您可以直接使用 PIL,这将起作用:

...
img = Image.open(img_file)
width, height = img.size
...

您可以在这里查看 PIL Image 类参考

于 2012-04-02T22:17:40.743 回答
0

这个解决方案对我有用。我将 Flask 与 Google App Engine 一起使用。

from reportlab.platypus import Image
from reportlab.lib.units import mm
import cStringIO
from base64 import b64decode

story=[]
encoded_image = "...."
decoded_img = b64decode(encoded_image)
img_string = cStringIO.StringIO(decoded_img)
img_string.seek(0)
im = Image(img_string, 180*mm, 100*mm, kind='bound')
story.append(im)

我已收到来自客户端的图像并保存在数据库中:

from base64 import b64decode
image = request.files['image'].read()
encoded_image = b64encode(image)
于 2019-06-03T20:16:57.373 回答