对象跟随鼠标位置 Tkinter 的 X 坐标

Object Following X Coords of Mouse Position Tkinter

我正在尝试打乒乓球,我希望球拍跟随鼠标的 x 位置。我只是将鼠标的 x 位置分配给一个变量,每次我移动鼠标时它都会添加到自身然后离开屏幕。我现在稍微改变了它,但我就是无法让它工作

错误:

    Traceback (most recent call last):
    File "Tkinter.py", line 1536, in __call__
    return self.func(*args)
    File "animationTest.py", line 51, in motion
    self.diff = self.x - canvas.coords(self.paddle)
    TypeError: unsupported operand type(s) for -: 'int' and 'list'

代码:

from Tkinter import *
import time

HEIGHT = 500
WIDTH = 800
COLOR = 'blue'
SIZE = 50

root = Tk()

canvas = Canvas(root, width=WIDTH, height=HEIGHT, bg=COLOR)
canvas.pack()


class Ball:

   def __init__(self, canvas):
      self.ball = canvas.create_oval(0, 0, SIZE, SIZE, fill='black')
      self.speedx = 6
      self.speedy = 6
      self.active = True
      self.move_active()

   def ball_update(self):
      canvas.move(self.ball, self.speedx, self.speedy)
      pos = canvas.coords(self.ball)
      if pos[2] >= WIDTH or pos[0] <= 0:
            self.speedx *= -1
      if pos[3] >= HEIGHT or pos[1] <= 0:
            self.speedy *= -1

   def move_active(self):
      if self.active:
         self.ball_update()
         root.after(1, self.move_active)



class Paddle:


   def __init__(self, canvas):
      self.paddle = canvas.create_rectangle(0,0,100,10, fill='red')
      canvas.bind('<Motion>', self.motion)
      self.active = True
      self.move_active


   def motion(self, event):
      self.x = event.x
      self.diff = self.x - canvas.coords(self.paddle)
      print('the diff is:' ,self.diff)
      print('the click is at: {}'.format(self.x))


   def move_active(self):
      if self.active:
         self.motion()
         root.after(1, self.move_active)





run = Ball(canvas)
run2 = Paddle(canvas)
root.mainloop()

没有理由读取当前坐标。您可以使用 event.x 来计算新坐标,而无需知道当前坐标是什么。

def motion(self, event):
    '''update paddle coordinates using current mouse position'''
    canvas.coords(self.paddle, event.x-50, 0, event.x+50, 10)

这只是用基于鼠标位置的新坐标覆盖您在 __init__ 方法中设置的坐标 0,0,100,10。