我目前正在尝试编写一个程序来读取GIF文件,在屏幕上显示其图像,然后允许用户选择图像的矩形部分来“复制并粘贴”,然后用AKA复制图像在矩形内,然后将结果保存为新的GIF文件。我已经相当远了,但每次我认为我已经弄清楚它似乎出现了一个新的错误!
# CopyAndPaste.py
# This program is designed to read a GIF file, display its image on the screen, allows the user to
# select a rectangular portion of the image to copy and paste, and then save the result as a new GIF file
import tkinter
from tkinter import *
import base64
root = Tk()
def action(canvas):
canvas.bind("<Button-1>", xaxis)
canvas.bind("<ButtonRelease-1>", yaxis)
canvas.bind("<ButtonRelease-1>", box)
def xaxis(event):
global x1, y1
x1, y1 = (event.x - 1), (event.y - 1)
print (x1, y1)
def yaxis(event):
global x2, y2
x2, y2 = (event.x + 1), (event.y + 1)
print (x2, y2)
def box(event):
photo = PhotoImage(file="picture.gif")
yaxis(event)
canvas.create_rectangle(x1,y1,x2,y2)
for x in range(x1, x2):
for y in range(y1, y2):
r,g,b = getRGB(photo, x, y)
newImage(r, g, b, x, y)
def getRGB(photo, x, y):
value = photo.get(x, y)
return tuple(map(int, value.split(" ")))
def newImage(r, g, b, x, y):
picture = PhotoImage(width=x, height=y)
picture.put("#%02x%02x%02x" % (r,g,b), (x,y))
picture.write('new_image.gif', format='gif')
canvas = Canvas(width=500, height=250)
canvas.pack(expand=YES, fill=BOTH)
photo = PhotoImage(file="picture.gif")
canvas.create_image(0, 0, image=photo, anchor=NW)
canvas.config(cursor='cross')
action(canvas)
root.mainloop()
答案 0 :(得分:0)
您的代码的主要问题是您为每个像素创建了一个新的PhotoImage
!相反,请创建PhotoImage
一次,然后在双倍for
循环中添加像素。
def box(event):
yaxis(event)
canvas.create_rectangle(x1, y1, x2, y2)
picture = PhotoImage(width=(x2-x1), height=(y2-y1))
for x in range(x1, x2):
for y in range(y1, y2):
r, g, b = photo.get(x, y)
picture.put("#%02x%02x%02x" % (r, g, b), (x-x1, y-y1))
picture.write('new_image.gif', format='gif')
此外,tuple(map(int, value.split(" ")))
函数中的行getRGB
是错误的,因为value
已经是您要创建的元组,而不是字符串。 1)正如您所看到的,我只是将该部分直接“内联”到box
函数中。另一个问题是您将复制的像素写入x
和y
,但您必须将它们写入x-x1
和y-y1
。
更新1: 1)似乎PhotoImage.get
的返回值取决于您使用的Python / Tkinter的版本。在某些版本中,它返回一个元组,如(41, 68, 151)
,在其他版本中,返回一个字符串,如u'41 68 151'
。
更新2:正如@Oblivion指出的那样,您实际上只需使用from_coords
的{{1}}参数来指定要保存到的图片区域文件。有了这个,PhotoImage.write
函数可以简化为
box