最近在用PIL合成PNG图像为GIF时,因为需要透明背景,所以就用putpixel的方法替换背景为透明,但是在合成GIF时,图像出现了重影,在网上查找了GIF的相关资料:GIF相关资料 其中有对GIF帧数处理的说明,需要在GIF图像的header中设置disposal的处置方法

Python用PIL将PNG图像合成gif时如果背景为透明时图像出现重影的解决办法-LMLPHP

然后我们可以查看PIL库中关于GIF的定义文件GifImagePlugin.py

 disposal = int(im.encoderinfo.get("disposal", 0))

     if transparent_color_exists or duration != 0 or disposal:
packed_flag = 1 if transparent_color_exists else 0
packed_flag |= disposal << 2
if not transparent_color_exists:
transparency = 0 fp.write(
b"!"
+ o8(249) # extension intro
+ o8(4) # length
+ o8(packed_flag) # packed fields
+ o16(duration) # duration
+ o8(transparency) # transparency index
+ o8(0)

其中有一段关于Disposal的定义,如果保存时不设置disposal属性则默认为0,即不使用处理方法,所以每一张PNG文件都被保留成了背景,也就是我们看到的重影,所以我们在合成GIF时,需要设置disposal值

原图:

Python用PIL将PNG图像合成gif时如果背景为透明时图像出现重影的解决办法-LMLPHP

下面是生成透明背景PNG图像代码:

 from PIL import Image

 img = Image.open("dabai.gif")
try:
flag = 0
while True:
#获取每一帧
img.seek(flag)
#保存
img.save("pics/{}.png".format(flag))
pic = Image.open("pics/{}.png".format(flag))
#转化
pic = pic.convert("RGBA")
#替换背景为透明
color = pic.getpixel((0,0))
for i in range(pic.size[0]):
for j in range(pic.size[1]):
dot = (i,j)
rgba = pic.getpixel(dot)
if rgba == color:
rgba = rgba[:-1] + (0,)
pic.putpixel(dot, rgba)
#保存
pic.save("pics/{}.png".format(flag))
flag +=1
except BaseException as e:
pass

合成GIF图像:

 #!/usr/bin/env python
# -*- coding: utf-8 -*- from PIL import Image
import os
photo_list = []
#获取保存的PNG图像
pic_list = os.listdir("pics/")
#对图像List排序,防止图像位置错乱
pic_list.sort(key=lambda x:int(x[:-4]))
for k in pic_list:
pic_p = Image.open("pics/{}".format(k))
photo_list.append(pic_p)
#保存图像,disposal可以为2或者3,但是不能为1或0,切记,其他自定义未尝试
photo_list[0].save("dabai_new.gif", save_all=True, append_images=photo_list[1:],duration=40,transparency=0,loop=0,disposal=3)

合成后图像,背景已变成透明而且未出现重影

Python用PIL将PNG图像合成gif时如果背景为透明时图像出现重影的解决办法-LMLPHP

05-19 17:31