我使用枕头版本2.2.2将webp图像转换为jpeg图像。 webp图像存储在内存缓冲区中。我发现当我尝试打开webp图像时会导致内存泄漏,大量图像成为真正的问题。
def webp_to_jpeg(raw_img):
image = Image.open(StringIO.StringIO(raw_img))
buffer = StringIO.StringIO()
image.save(buffer, "JPEG")
return string_buffer.getvalue()
此内存泄漏仅在我处理webp图像时发生。我尝试将枕头更新到2.3.0然而当我这样做时我根本无法读取webp图像并且我得到以下异常“WEBP未知扩展”
答案 0 :(得分:3)
这是PILLOW中的一个webp解码器错误(请参阅here)。 它仍在2.4.0版本中泄漏内存
我发现的唯一解决方法是基于python-webm。这个也在泄漏内存,但你可以解决它:
在encode.py中,导入libc free()函数:
from ctypes import CDLL, c_void_p
libc = CDLL(find_library("c"))
libc.free.argtypes = (c_void_p,)
libc.free.restype = None
然后修改_decode()
以释放在webp解码器中分配的缓冲区.dll:
def _decode(data, decode_func, pixel_sz):
bitmap = None
width = c_int(-1)
height = c_int(-1)
size = len(data)
bitmap_p = decode_func(str(data), size, width, height)
if bitmap_p is not None:
# Copy decoded data into a buffer
width = width.value
height = height.value
size = width * height * pixel_sz
bitmap = create_string_buffer(size)
memmove(bitmap, bitmap_p, size)
#Free the wepb decoder buffer!
libc.free(bitmap_p)
return (bytearray(bitmap), width, height)
转换RGB webp图像:
from webm import decode
def RGBwebp_to_jpeg(raw_img):
result = decode.DecodeRGB(raw_img)
if result is not None:
image = Image.frombuffer('RGB', (result.width, result.height), str(result.bitmap),'raw', 'RGB', 0, 1)
buffer = StringIO.StringIO()
image.save(buffer, "JPEG")
return buffer.getvalue()
答案 1 :(得分:1)
Pillow 2.3.0在阅读change log时修复了一些内存泄漏:
Fixed memory leak saving images as webp when webpmux is available [cezarsa]
据我所知,枕头依赖于osp支持。
你尝试过这个吗? https://stackoverflow.com/a/19861234/756056