4

我尝试在 python shell 中对图像进行编码和解码。我第一次在 PIL 中打开解码的 base64 字符串时没有错误,如果我重复 Image.open() 命令我得到IOError: cannot identify image file。

>>> with open("/home/home/Desktop/gatherify/1.jpg", "rb") as image_file:
...     encoded_string = base64.b64encode(image_file.read())
>>> image_string = cStringIO.StringIO(base64.b64decode(encoded_string))
>>> img = Image.open(image_string)
>>> img
<PIL.JpegImagePlugin.JpegImageFile image mode=RGB size=576x353 at 0xA21F20C>
>>> img.show() <-- Image opened without any errors. 
>>> img = Image.open(image_string)
Traceback (most recent call last):
  File "<console>", line 1, in <module>
  File "/usr/lib/python2.6/dist-packages/PIL/Image.py", line 1980, in open
    raise IOError("cannot identify image file")
IOError: cannot identify image file

为什么会这样?

4

2 回答 2

4

当你创建你的image_string时,你正在创建一个由字符串支持的假的类似文件的对象。当您调用 时Image.open,它会读取这个假文件,将文件指针移动到文件末尾。尝试Image.open再次使用它只会给您一个 EOF。

您需要重新创建StringIO对象,或者重新创建seek()流的开头。

于 2013-11-11T16:24:43.293 回答
1

image_string是类似文件的对象。类文件对象具有文件位置。

一旦文件被读取,位置就被推进了。

seek除非您使用方法明确定位它,否则任何后续都发生在该位置。

因此,如果要重新打开文件:

...
image_string.seek(0) # reset file position to the beginning of the file.
img = Image.open(image_string)
于 2013-11-11T16:21:29.173 回答