Skip to content Skip to sidebar Skip to footer

How To Make A Sprite Bounce Of The Edges Of The Window In Pygame

So far I have my program bouncing from left to right, but now I want to have in bounce of the walls. How can I get to that? delta = 5 u = 1 # x coordinate u += delta if u >= 44

Solution 1:

here's a moving bird/ball that is bouncing off the walls, first of all you need only one type of class for sprites, simply create different instances with different images. Hope it helps

import sys, pygame, random

SIZE = width, height = 640, 480
SPEED = [2, 2]
black = 0, 0, 0classmySprite(pygame.sprite.Sprite):
    def__init__(self, image="ball.bmp", speed=[2,2]):

        pygame.sprite.Sprite.__init__(self)
        self.speed = speed
        self.image = pygame.image.load(image)
        self.rect = self.image.get_rect()

    defupdate(self):
        global SIZE
        #i used 110 px because it's the size of the image, but it's better to use the rect property of the pygameif (self.rect.x <0) or (self.rect.x > 640-110):
            self.speed[0] *= -1if (self.rect.y<0) or (self.rect.y > 480-110):
            self.speed[1] *= -1

        self.rect.x =self.rect.x + self.speed[0]
        self.rect.y =self.rect.y + self.speed[1]

#OR:        self.rect = self.rect.move(self.speed)defdraw(self, screen):
        screen.blit(self.image, self.rect)


#    
pygame.init()
screen = pygame.display.set_mode(SIZE)

iaka = mySprite()

while1:
    for event in pygame.event.get():
        if event.type == pygame.QUIT: sys.exit()

    screen.fill(black)
    iaka.draw(screen)
    iaka.update()
    pygame.display.flip()

Solution 2:

make a y coordinate as well

delta_y = 5
delta_x = 5
u = 1 # the x coordinate
v = 1 # the y coordinate

u +=delta_x    
v +=delta_y

if (v >=300): #assuming your y axis is 300 pixels 
    delta_y = -5
elif v<=0 :
    delta_y = 5

if u >= 440: #440 pixels u have
    delta_x = -5 
elif u < 0:
    delta_x = 5 #Go up by 5

Post a Comment for "How To Make A Sprite Bounce Of The Edges Of The Window In Pygame"