如何使用2个键在画布上移动?在任何人告诉我我没有做过一些研究之前,我做到了。我仍然在问这个问题的原因是因为我不知道他们在说什么。人们正在谈论我不知道的迷你状态和命令。
from tkinter import *
def move(x,y):
canvas.move(box,x,y)
def moveKeys(event):
key=event.keysym
if key =='Up':
move(0,-10)
elif key =='Down':
move(0,10)
elif key=='Left':
move(-10,0)
elif key=='Right':
move(10,0)
window =Tk()
window.title('Test')
canvas=Canvas(window, height=500, width=500)
canvas.pack()
box=canvas.create_rectangle(50,50,60,60, fill='blue')
canvas.bind_all('<Key>',moveKeys)
我有什么方法可以让2把钥匙一次移动?我希望使用这种格式来完成,而不是使用迷你状态。
答案 0 :(得分:0)
如果您所谈论的“迷你状态”方法是指这个答案(Python bind - allow multiple keys to be pressed simultaneously),那么实际上并不难理解。
见下文修改后的&amp;您的代码的注释版本遵循该哲学:
from tkinter import tk
window = tk.Tk()
window.title('Test')
canvas = tk.Canvas(window, height=500, width=500)
canvas.pack()
box = canvas.create_rectangle(50, 50, 60, 60, fill='blue')
def move(x, y):
canvas.move(box, x, y)
# This dictionary stores the current pressed status of the (← ↑ → ↓) keys
# (pressed: True, released: False) and will be modified by Pressing or Releasing each key
pressedStatus = {"Up": False, "Down": False, "Left": False, "Right": False}
def pressed(event):
# When the key "event.keysym" is pressed, set its pressed status to True
pressedStatus[event.keysym] = True
def released(event):
# When the key "event.keysym" is released, set its pressed status to False
pressedStatus[event.keysym] = False
def set_bindings():
# Bind the (← ↑ → ↓) keys's Press and Release events
for char in ["Up", "Down", "Left", "Right"]:
window.bind("<KeyPress-%s>" % char, pressed)
window.bind("<KeyRelease-%s>" % char, released)
def animate():
# For each of the (← ↑ → ↓) keys currently being pressed (if pressedStatus[key] = True)
# move in the corresponding direction
if pressedStatus["Up"] == True: move(0, -10)
if pressedStatus["Down"] == True: move(0, 10)
if pressedStatus["Left"] == True: move(-10, 0)
if pressedStatus["Right"] == True: move(10, 0)
canvas.update()
# This method calls itself again and again after a delay (80 ms in this case)
window.after(80, animate)
# Bind the (← ↑ → ↓) keys's Press and Release events
set_bindings()
# Start the animation loop
animate()
# Launch the window
window.mainloop()