Movements in tkinter python

0

I'm getting python, and I wanted to make an interface where I have a ball that hits the walls, I just wanted to know how I can make the ball hit the walls.

from tkinter import *
import time
tela = Tk()
tela.geometry('500x500')
tela.resizable(False, False)

canvas = Canvas(tela, width=400, height=400, bg='black')
ball = canvas.create_oval(20,20,50,50, fill='red')
canvas.pack()
for x in range(60):
    y = x = 6
    canvas.move(ball, x, y)
    time.sleep(0.025)
    tela.update()
sair = Button(tela, text='Sair', bg='red', command=tela.destroy)
sair.pack()
tela.mainloop()
    
asked by anonymous 03.10.2018 / 19:54

1 answer

0

Do not use time.sleep() because your interface is irresponsible.

Instead, create a function to update the position of the ball, and use tela.after() to schedule execution of this function from time to time.

Within the function, use canvas.coords() to get the coordinates of the ball and see if it has crossed the boundaries of the screen (400x400 in your case). If you have passed, reverse the direction.

from tkinter import *
tela = Tk()
tela.geometry('500x500')
tela.resizable(False, False)

canvas = Canvas(tela, width=400, height=400, bg='black')
ball = canvas.create_oval(20,20,50,50, fill='red')
canvas.pack()
x = 6
y = 8

def atualiza_posicao_bola():
    global x, y
    canvas.move(ball, x, y)    
    xb, yb, xs, ys = canvas.coords(ball)
    if xs > 400 or xb < 0:
        x = -x  # inverte a direcao eixo x
    if ys > 400 or yb < 0:
        y = -y  # inverte a direcao eixo y
    tela.after(25, atualiza_posicao_bola) # agenda pra daqui a pouco

tela.after(0, atualiza_posicao_bola) # agendamento inicial
sair = Button(tela, text='Sair', bg='red', command=tela.destroy)
sair.pack()
tela.mainloop()

I've chosen to keep the code structure similar to yours to make it easier to understand. In a future evolution of this code, I suggest using a class for the ball, and storing the direction variables as attributes of that class, thereby avoiding the use of globals and allowing more flexibility such as the creation of multiple balls and / or other elements. / p>     

03.10.2018 / 21:34