-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path49.sprite_animation_with_sprite_class.py
66 lines (53 loc) · 1.96 KB
/
49.sprite_animation_with_sprite_class.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
import pygame
import os
# Initialize Pygame
pygame.init()
# --- Screen setup ---
screen_width = 800
screen_height = 600
screen = pygame.display.set_mode((screen_width, screen_height))
background_color = (255, 255, 255) # White
# --- Load animation images ---
animation_folder = "sprite_images" # We stored the animation frame images in this folder.
animation_images = []
for i in range(1, 11): # Our images are "1.png" to "10.png"
image_path = os.path.join(animation_folder, f"{i}.png")
image = pygame.image.load(image_path)
animation_images.append(image)
# --- Create the sprite ---
class AnimatedSprite(pygame.sprite.Sprite):
def __init__(self, animation_frames):
super().__init__()
self.frames = animation_frames
self.current_frame = 0 # Start with the first frame
self.image = self.frames[self.current_frame]
self.rect = self.image.get_rect()
self.rect.center = (screen_width // 2, screen_height // 2) # Center on screen.. You can apply responsive postion whatever the with or height is
def update(self):
# Cycle through animation frames
self.current_frame += 1
if self.current_frame >= len(self.frames):
self.current_frame = 0
self.image = self.frames[self.current_frame]
# Create an instance of our sprite
player_sprite = AnimatedSprite(animation_images)
# Group for easier drawing
all_sprites = pygame.sprite.Group()
all_sprites.add(player_sprite)
# --- Main game loop ---
running = True
clock = pygame.time.Clock() # To control frame rate
while running:
# --- Handle events ---
for event in pygame.event.get():
if event.type == pygame.QUIT:
running = False
# --- Update the sprite's animation ---
all_sprites.update()
# --- Drawing ---
screen.fill(background_color)
all_sprites.draw(screen)
pygame.display.flip() # Update the display
clock.tick(60) # Limit to 60 frames per second
# Quit Pygame
pygame.quit()