Mis*_*qua 3 python png transparency gif python-imaging-library
我正在尝试将具有透明背景的 PNG 图像列表转换为 GIF,同时保持背景透明度。我找到了这段代码,并对其进行了修改:
import os
from PIL import Image
# Create the frames
frames = []
path = "directory/to/my/png/images"
for frame in os.listdir(path):
new_frame = Image.open(path + "/" + frame)
frames.append(new_frame)
# Save into a GIF file
frames[0].save(path + "/../output/animation.gif", format='GIF',
append_images=frames[1:],
save_all=True,
duration=41, loop=1, transparency=0)
Run Code Online (Sandbox Code Playgroud)
它正在打开文件夹中的所有 PNG 图像,并将它们导出到 GIF,但背景是黑色的。我看过PIL文档,但我似乎不明白该transparency
参数是如何工作的,或者我认为我使用错误。
首先,GIF 格式不像 PNG 那样支持 alpha 通道透明度。您只能从 GIF 的 256 种可能颜色中选择一种为透明颜色。因此,您也不会获得任何平滑的透明度,像素要么完全透明,要么不透明。
当处理具有modeImage
的对象时,请尝试在保存之前将所有图像转换为 mode 。也许,这会自动有所帮助。 RGBA
PA
假设我们有以下三张图像:
您的最小化代码将如下所示:
from PIL import Image
frames = [Image.open('red.png'), Image.open('green.png'), Image.open('blue.png')]
frames[0].save('test.gif', format='GIF',
append_images=frames[1:],
save_all=True,
duration=200, loop=0, transparency=0)
Run Code Online (Sandbox Code Playgroud)
事实上,生成的 GIF 并不反映单个 PNG 的透明度,GIF 完全损坏了:
将转换添加到 mode PA
,代码可能如下所示:
from PIL import Image
frames = [Image.open('red.png'), Image.open('green.png'), Image.open('blue.png')]
frames = [frame.convert('PA') for frame in frames]
frames[0].save('test.gif', format='GIF',
append_images=frames[1:],
save_all=True,
duration=200, loop=0, transparency=0)
Run Code Online (Sandbox Code Playgroud)
而且,结果很好,保持了透明度:
我不知道该路线是否适用于任意 PNG,但值得用您的图像进行测试,不是吗?如果这不起作用,您需要提供一些输入图像以进行进一步测试。
最后的方法可能是将 PNG 中的所有透明像素替换为某种颜色,比如说纯黄色。稍后保存 GIF 时,您需要确保所有图像的调色板都将纯黄色存储在同一索引处,然后最终设置transparency
为该索引。
----------------------------------------
System information
----------------------------------------
Platform: Windows-10-10.0.16299-SP0
Python: 3.9.1
Pillow: 8.1.0
----------------------------------------
Run Code Online (Sandbox Code Playgroud)