【发布时间】:2018-05-14 13:25:22
【问题描述】:
使用 PIL 将 RGBA 图像转换为 RGB 的最简单、最快的方法是什么? 我只需要从一些图像中删除 A 通道。
我找不到简单的方法来做到这一点,我不需要考虑背景。
【问题讨论】:
标签: python-3.x image type-conversion python-imaging-library rgb
使用 PIL 将 RGBA 图像转换为 RGB 的最简单、最快的方法是什么? 我只需要从一些图像中删除 A 通道。
我找不到简单的方法来做到这一点,我不需要考虑背景。
【问题讨论】:
标签: python-3.x image type-conversion python-imaging-library rgb
您可能想使用图像的转换方法:
import PIL.Image
rgba_image = PIL.Image.open(path_to_image)
rgb_image = rgba_image.convert('RGB')
【讨论】:
在numpy数组的情况下,我使用这个解决方案:
def rgba2rgb( rgba, background=(255,255,255) ):
row, col, ch = rgba.shape
if ch == 3:
return rgba
assert ch == 4, 'RGBA image has 4 channels.'
rgb = np.zeros( (row, col, 3), dtype='float32' )
r, g, b, a = rgba[:,:,0], rgba[:,:,1], rgba[:,:,2], rgba[:,:,3]
a = np.asarray( a, dtype='float32' ) / 255.0
R, G, B = background
rgb[:,:,0] = r * a + (1.0 - a) * R
rgb[:,:,1] = g * a + (1.0 - a) * G
rgb[:,:,2] = b * a + (1.0 - a) * B
return np.asarray( rgb, dtype='uint8' )
其中参数rgba 是numpy 类型的uint8 数组,具有4 个通道。输出是一个numpy 数组,具有3 个uint8 类型的通道。
这个数组很容易通过库imageio使用imread和imsave进行I/O。
【讨论】: