正在为Windows寻找某种简单的工具或过程,它可以让我将一个或多个标准PNG转换为预乘阿尔法。
命令行工具是理想的;我可以很容易地访问PIL(Python Imaging Library(和Imagemagik,但如果它能让生活更轻松,我会安装另一个工具。
谢谢!
根据请求使用ImageMagick:
convert in.png -write mpr:image -background black -alpha Remove mpr:image -compose Copy_Opacity -composite out.png
感谢@mf511的更新。
cssndrx答案的更完整版本,在numpy中使用切片来提高速度:
import Image
import numpy
im = Image.open('myimage.png').convert('RGBA')
a = numpy.fromstring(im.tostring(), dtype=numpy.uint8)
alphaLayer = a[3::4] / 255.0
a[::4] *= alphaLayer
a[1::4] *= alphaLayer
a[2::4] *= alphaLayer
im = Image.fromstring("RGBA", im.size, a.tostring())
瞧!
我刚刚在Python和C中发布了一些代码,可以满足您的需求。它在github上:http://github.com/maxme/PNG-Alpha-Premultiplier
Python版本基于cssndrx响应。C版本基于libpng。
应该可以通过PIL实现这一点。以下是步骤的大致轮廓:
1( 加载图像并转换为numpy数组
im = Image.open('myimage.png').convert('RGBA')
matrix = numpy.array(im)
2( 修改矩阵。矩阵是每行中像素的列表。像素表示为[r,g,b,a]。编写自己的函数,将每个[r,g,b,a]像素转换为所需的[r,g,b]值。
3( 使用将矩阵转换回图像
new_im = Image.fromarray(matrix)
仅使用PIL:
def premultiplyAlpha(img):
# fake transparent image to blend with
transparent = Image.new("RGBA", img.size, (0, 0, 0, 0))
# blend with transparent image using own alpha
return Image.composite(img, transparent, img)