如何使用Python和Pillow将索引的PNG转换为灰度并保持透明度?

时间:2018-07-20 15:07:28

标签: python-3.x png transparency pillow alpha-transparency

我正在尝试使用Python /枕头将图像转换为灰度。我对大多数图像没有困难,但是随后在测试不同的图像时,我从BeeWare项目中找到了这个徽标,我知道已经使用某些图像编辑器对其进行了进一步的编辑,并使用ImageOptim对其进行了重新压缩。

enter image description here

图像具有某种透明度(在蜜蜂周围的整个白色区域),但黑色会变得混乱。这是代码:

#/usr/bin/env python3

import os
from PIL import Image, ImageFile

src_path = os.path.expanduser("~/Desktop/prob.png")
img = Image.open(src_path)
folder, filename = os.path.split(src_path)
temp_file_path = os.path.join(folder + "/~temp~" + filename)


if 'transparency' in img.info:
    transparency = img.info['transparency']
else:
    transparency = None

if img.mode == "P":
    img = img.convert("LA").convert("P")

try:
    img.save(temp_file_path, optimize=True, format="PNG", transparency=transparency)
except IOError:
    ImageFile.MAXBLOCK = img.size[0] * img.size[1]
    img.save(temp_file_path, optimize=True, format="PNG", transparency=transparency)

我也尝试过:

png_info = img.info

if img.mode == "P":
    img = img.convert("LA").convert("P")

try:
    img.save(temp_file_path, optimize=True, format="PNG", **png_info)
except IOError:
    ImageFile.MAXBLOCK = img.size[0] * img.size[1]
    img.save(temp_file_path, optimize=True, format="PNG", **png_info)

使用任何一种方法,图像中的所有黑色都变为透明。

enter image description here

我试图了解我在这里缺少的内容,或者这是枕头中的某些错误或限制。仔细研究一下图像调色板,我会说透明度实际上是分配给调色板中的黑色的。例如,如果将其转换为RGBA模式,则外部变为黑色。因此,必须有其他东西可以使外部区域透明。

有什么提示吗?

2 个答案:

答案 0 :(得分:3)

  

稍微浏览一下图像调色板,我会说透明度实际上是分配给调色板中的黑色的。

pngcheck告诉我不是这种情况:

...
chunk PLTE at offset 0x00025, length 48: 16 palette entries
chunk tRNS at offset 0x00061, length 1: 1 transparency entry

每种 actual 颜色在PLTE中都有一个索引,包括黑色,并且还有一个附加条目被指定为“透明”。黑色环境可能是先前转换之一的伪像,其中alpha = 0转换为RGBA(0,0,0,0)。

似乎Pillow立即转换为Lab(“ L”和“ LA”)无法处理索引的颜色转换。
您可以通过以下方法解决此问题:首先将图像转换为RGBA,然后使用the documentation的Lab转换公式将RGBA的每个像素四倍体转换为灰色,然后再将其转换回已着色:

for i in range(img.size[0]): # for every pixel:
    for j in range(img.size[1]):
        g = (pixels[i,j][0]*299 + pixels[i,j][1]*587 + pixels[i,j][2]*114)//1000
        pixels[i,j] = (g,g,g,pixels[i,j][3])

但是后来我意识到,既然您从一幅淡化的图像开始,并想再次以一幅图像结束,仅转换调色板会容易得多...

#/usr/bin/env python3

from PIL import Image, ImageFile

img = Image.open('bee.png')

palette = img.getpalette()
for i in range(len(palette)//3):
    gray = (palette[3*i]*299 + palette[3*i+1]*587 + palette[3*i+2]*114)//1000
    palette[3*i:3*i+3] = [gray,gray,gray]

img.putpalette(palette)
img.save('bee2a.png', optimize=True, format="PNG")

print ('done')

(硬编码为假定您的输入图像确实是索引文件。如果要确定,请添加检查。)

结果,包装在注释块中,以便您查看透明度:

  

a gray bee

答案 1 :(得分:1)

找不到让我的 .png “索引”或使用调色板的方法。最后做的是:

  • 保存 Alpha 通道
  • 转换为“L”然后返回“RGB”
  • 重新应用 Alpha 通道(又名透明度)
    img_colored = Image.open("transparency.png")
    img_colored.load()
    alpha = img_colored.split()[-1]
    img_grey = img_colored.convert("L").convert("RGB")
    img_grey.putalpha(alpha)

可能效率不高,但可以完成工作