Python图像处理 - 移动图像

时间:2013-09-12 02:58:45

标签: python image python-imaging-library pixel

我正在使用python和PIL来操作两个图像。我已经使用getpixel和putpixel成功地将一个图像放到另一个图像上。我们不允许使用pil提供的任何复制/粘贴功能(因此getpixel和putpixel)。现在我基本上试图将第一个图像(比如说模板图像)放到目标图像的用户定义位置。我知道如何接受用户输入,但我无法弄清楚将这些变量放在何处使模板图像出现在用户的坐标上。我基本上想让这些坐标成为模板图像的新原点。我尝试使用坐标作为putpixel x和y,但我认为,这只是在用户坐标处将像素堆叠在一起。我确信这很简单,我很想念。任何帮助,将不胜感激。我顺便使用Python 2.7。

from PIL import Image
import sys

print "Image Manipulation\n"

tempImg = Image.open("template.png")
destImg = Image.open("destination.jpg")

tempWidth,tempHeight = tempImg.size
destWidth,destHeight = destImg.size

if tempWidth >= destWidth and tempHeight >= destHeight:
    print "Error! The template image is larger than the destination image."
    sys.exit()
else:
    print "The template image width and height: ",tempWidth,tempHeight
    print "The destination image width and height: ",destWidth,destHeight

x_loc = raw_input("Enter the X coordinate: ")
y_loc = raw_input("Enter the Y coordinate: ")

x_loc = int(x_loc) # <--where do I put these?
y_loc = int(y_loc)

tempImg = tempImg.convert("RGBA")
destImg = destImg.convert("RGBA")
img = tempImg.load()

for x in xrange(tempWidth):
    for y in xrange(tempHeight):
        if img[x,y][1] > img[x,y][0] + img[x,y][2]:
            img[x,y] = (255,255,255,0)
        else:
            destImg.putpixel((x,y),tempImg.getpixel((x,y)))


destImg.show()

1 个答案:

答案 0 :(得分:0)

我明白了!在经历了很多变量之后,我想出了添加它们的位置。我一直试图将它们用作getpixel函数的x,y坐标,但我知道它们基本上会将它们叠加在一起,因为这些变量没有在循环中更新。

getpixel((x_loc,y_loc),...) #<--wrong

然后点击:我只需要将用户的坐标添加到getpixel的x和y。例如:

getpixel((x+x_loc,y+y_loc),...) #<--Eureka!!

这基本上将模板图像的原点设置为用户的输入位置。我知道还有其他方法可以更快地完成这项工作,但我们被指示只使用getpixel,putpixel和打开/保存图像。当然,这里我只是显示图像而不是保存它。随意尝试一下。

print "Image Manipulation\n"
template = raw_input("Enter the template image: ")
destination = raw_input("Enter the destination image: ")

tempImg = Image.open(template)
destImg = Image.open(destination)

tempWidth,tempHeight = tempImg.size
destWidth,destHeight = destImg.size

if tempWidth >= destWidth and tempHeight >= destHeight:
    print "Error! The template image is larger than the destination image."
    sys.exit()
else:
    print "The template image width and height: ",tempWidth,tempHeight
    print "The destination image width and height: ",destWidth,destHeight

x_loc = raw_input("Enter the X coordinate: ")
y_loc = raw_input("Enter the Y coordinate: ")

x_loc = int(x_loc)
y_loc = int(y_loc)

tempImg = tempImg.convert("RGBA")
destImg = destImg.convert("RGBA")
img = tempImg.load()

for x in range(tempWidth):
    for y in range(tempHeight):
        if img[x,y][1] > img[x,y][0] + img[x,y][2]: #<-- removes green border from image
            img[x,y] = (255,255,255,0)
        else:
            destImg.putpixel((x+x_loc,y+y_loc),tempImg.getpixel((x,y)))


destImg.show()

**注意:该程序的这一部分是可选的:

if img[x,y][1] > img[x,y][0] + img[x,y][2]:
        img[x,y] = (255,255,255,0)

我们获得的模板图片周围有绿色边框,当我们将它放到目标图片上时,我们被要求将其删除。