2012-05-30 40 views
6

我正在尝试使用Python Imaging Library更改照片中的RGB值。我一直在使用函数Image.point,它做我想要的,除了我想能够在R和G值上实现不同的函数。任何人都知道我可以做到这一点?使用python编辑jpg中的rgb值

谢谢!

回答

5

除了PIL之外,您最好还是使用numpy来完成图像各个波段的数学运算。

作为一个人为的例子是意味着好看以任何方式:

import Image 
import numpy as np 

im = Image.open('snapshot.jpg') 

# In this case, it's a 3-band (red, green, blue) image 
# so we'll unpack the bands into 3 separate 2D arrays. 
r, g, b = np.array(im).T 

# Let's make an alpha (transparency) band based on where blue is < 100 
a = np.zeros_like(b) 
a[b < 100] = 255 

# Random math... This isn't meant to look good... 
# Keep in mind that these are unsigned 8-bit integers, and will overflow. 
# You may want to convert to floats for some calculations. 
r = (b + g) * 5 

# Put things back together and save the result... 
im = Image.fromarray(np.dstack([item.T for item in (r,g,b,a)])) 

im.save('output.png') 

输入 enter image description here


输出 enter image description here

+0

好伟大的例子谢谢 – clifgray