我正在尝试编写一个 python 脚本,它接受标准的 24 位 png 并将它们转换为 8 位 png 以实现更好的压缩。看起来 pypng 可以做到这一点,但我不太清楚如何使用它。图像处理对我来说是一个新领域,所以这看起来很愚蠢。我目前有这个:
r=png.Reader(<myfile>)
test = r.asRGBA8()
这给了我作为回报的元组(我相信的图像层)。但是,我似乎无法将其写入或保存回图像。我错过了什么?这是一张测试图片
我正在尝试编写一个 python 脚本,它接受标准的 24 位 png 并将它们转换为 8 位 png 以实现更好的压缩。看起来 pypng 可以做到这一点,但我不太清楚如何使用它。图像处理对我来说是一个新领域,所以这看起来很愚蠢。我目前有这个:
r=png.Reader(<myfile>)
test = r.asRGBA8()
这给了我作为回报的元组(我相信的图像层)。但是,我似乎无法将其写入或保存回图像。我错过了什么?这是一张测试图片
原始答案
我认为这可以满足您的要求:
from PIL import Image
# Load image
im = Image.open('logo.png')
# Convert to palette mode and save
im.convert('P').save('result.png')
更新的答案
结果,我找不到让 PIL 制作合理的调色板图像的方法,但可以通过其他几种方式来实现...
要么wand
像这样:
#!/usr/bin/env python3
from wand.image import Image
with Image(filename='logo.png') as img:
img.quantize(number_colors=256, colorspace_type='lab', treedepth=0, dither=False, measure_error=False)
img.save(filename='result.png')
或者,通过在命令行中使用ImageMagick并执行以下操作:
magick logo.png -colors 255 png8:logo8.png # use "convert" in place of "magick" if using v6
最新答案
好的,我找到了一种让 PIL/Pillow 做得更好的方法,并且正如预期的那样,它利用了libimagequant
Pillow 通常不内置的方法(至少在我所在的 macOS 上)。代码如下所示:
#!/usr/bin/env python3
from PIL import Image
# Load image
im = Image.open('logo.png')
# Convert to palette mode and save. Method 3 is "libimagequant"
im.quantize(colors=256, method=3).save('result.png')
在 macOS 上构建 PIL/Pillow 的步骤libimagequant
如下 - 它们在其他平台上会有所不同,但您应该能够理解并适应:
pip uninstall pillow # remove existing package
brew install libimagequant
brew install zlib
export PKG_CONFIG_PATH="/usr/local/opt/zlib/lib/pkgconfig"
pip install --upgrade Pillow --global-option="build_ext" --global-option="--enable-imagequant" --global-option="--enable-zlib"
关键词:Python、图像处理、PIL/Pillow、libimagequant、macOS、量化、量化。