我从here发现,我可以使用Pillow创建和保存动画GIF。但是,the save
method似乎没有返回任何值。
我可以将GIF保存到文件中,然后使用Image.open
打开该文件,但这似乎是不必要的,因为我真的不希望保存GIF。
如何将GIF保存到变量而不是文件中?
也就是说,我希望能够执行some_variable.show()
并显示GIF,而不必将GIF保存到计算机上。
答案 0 :(得分:1)
为避免写入任何文件,您只需将图像保存到BytesIO
对象。例如:
from PIL import Image
from PIL import ImageDraw
from io import BytesIO
N = 25 # number of frames
# Create individual frames
frames = []
for n in range(N):
frame = Image.new("RGB", (200, 150), (25, 25, 255*(N-n)/N))
draw = ImageDraw.Draw(frame)
x, y = frame.size[0]*n/N, frame.size[1]*n/N
draw.ellipse((x, y, x+40, y+40), 'yellow')
# Saving/opening is needed for better compression and quality
fobj = BytesIO()
frame.save(fobj, 'GIF')
frame = Image.open(fobj)
frames.append(frame)
# Save the frames as animated GIF to BytesIO
animated_gif = BytesIO()
frames[0].save(animated_gif,
format='GIF',
save_all=True,
append_images=frames[1:], # Pillow >= 3.4.0
delay=0.1,
loop=0)
animated_gif.seek(0,2)
print ('GIF image size = ', animated_gif.tell())
# Optional: display image
#animated_gif.seek(0)
#ani = Image.open(animated_gif)
#ani.show()
# Optional: write contents to file
#animated_gif.seek(0)
#open('animated.gif', 'wb').write(animated_gif.read())
最后,变量animated_gif
包含以下图像的内容:
但是,用Python显示动画GIF并不是很可靠。上方代码中的ani.show()
仅显示机器上的第一帧。