标题说明了一切.我可以在Tkinter中调用某些功能,以便监视特定的键释放并将其链接到函数吗?我想用它来结束我用来移动物品的计时器.这是代码:
from Tkinter import *
master = Tk()
master.wm_title("Ball movement")
width = 1000
height = 600
circle = [width / 2, height / 2, width / 2 + 50, height / 2 + 50]
canvas = Canvas(master, width = width, height = height, bg = "White")
canvas.pack()
canvas.create_oval(circle, tag = "ball", fill = "Red")
while True:
canvas.update()
def move_left(key):
#This is where my timer will go for movement
canvas.move("ball", -10, 0)
canvas.update()
def move_right(key):
#This is where my other timer will go
canvas.move("ball", 10, 0)
canvas.update()
frame = Frame(master, width=100, height=100)
frame.bind("<Right>", move_right)
frame.bind("<Left>", move_left)
frame.focus_set()
frame.pack()
mainloop()
解决方法:
您可以定义带有KeyRelease前缀的事件,例如< KeyRelease-a>.例如:
canvas.bind("<KeyRelease-a>", do_something)
注意:您需要删除while循环.您绝不应该在GUI程序内创建无限循环,并且绝对不希望每次迭代都创建一个框架-您仅需一两秒钟就可以得到数千个框架!
您已经有一个运行无限循环的主循环.如果要制作动画,请使用after每隔几毫秒运行一次函数.例如,以下操作将导致球每10秒移动10个像素.当然,您需要处理屏幕外移动,弹跳或其他任何情况.关键是,您编写了一个绘制一帧动画的函数,然后定期调用该函数.
def animate():
canvas.move("ball", 10, 0)
canvas.after(100, animate)