Source code for arcade.sprite.animated

from __future__ import annotations

import bisect
import logging
import math

from arcade import Texture
from arcade.types import Point2

from .enums import (
    FACE_DOWN,
    FACE_LEFT,
    FACE_RIGHT,
    FACE_UP,
)
from .sprite import Sprite

logger = logging.getLogger("arcade")


[docs] class TextureKeyframe: """ Keyframe for texture animations. Args: texture: Texture to display for this keyframe. duration: Duration in milliseconds to display this keyframe. tile_id (optional): Tile ID for this keyframe (only used for tiled maps). This can be ignored when not using tiled maps. """ __slots__ = ("texture", "duration", "tile_id") def __init__(self, texture: Texture, duration: int = 100, tile_id: int | None = 0, **kwargs): #: The texture to display for this keyframe. self.texture = texture #: Duration in milliseconds to display this keyframe. self.duration = duration #: Tile ID for this keyframe (only used for tiled maps) self.tile_id = tile_id
[docs] class TextureAnimation: """ Animation class that holds a list of keyframes. The animation should not store any state related to the current time so it can be shared between multiple sprites. Args: keyframes: List of keyframes for the animation. """ __slots__ = ("_keyframes", "_duration_ms", "_timeline") def __init__(self, keyframes: list[TextureKeyframe]): self._keyframes = keyframes self._duration_ms = 0 self._timeline: list[int] = self._create_timeline(self._keyframes) @property def keyframes(self) -> tuple[TextureKeyframe, ...]: """ A tuple of keyframes in the animation. Keyframes should not be modified directly. """ return tuple(self._keyframes) @property def duration_seconds(self) -> float: """Total duration of the animation in seconds.""" return self._duration_ms / 1000 @property def duration_ms(self) -> int: """Total duration of the animation in milliseconds.""" return self._duration_ms @property def num_frames(self) -> int: """Number of frames in the animation.""" return len(self._keyframes) def _create_timeline(self, keyframes: list[TextureKeyframe]) -> list[int]: """ Create a timeline of the animation. This is a list of timestamps for each frame in seconds. """ timeline: list[int] = [] current_time_ms = 0 for frame in keyframes: timeline.append(current_time_ms) current_time_ms += frame.duration self._duration_ms = current_time_ms return timeline
[docs] def get_keyframe(self, time: float, loop: bool = True) -> tuple[int, TextureKeyframe]: """ Get the frame at a given time. Args: time: Time in seconds. loop: If the animation should loop. Returns: Tuple of frame index and keyframe. """ if loop: time_ms = int(time * 1000) % self._duration_ms else: time_ms = int(time * 1000) # Find the right insertion point for the time: O(log n) index = bisect.bisect_right(self._timeline, time_ms) - 1 index = max(0, min(index, len(self._keyframes) - 1)) return index, self._keyframes[index]
def __len__(self) -> int: return len(self._keyframes)
# Old name: AnimatedTimeBasedSprite
[docs] class TextureAnimationSprite(Sprite): """ Animated sprite based on keyframes. Primarily used internally by tilemaps to animate tiles. Args: path_or_texture: Path to the image file, or a Texture object. center_x: Initial x position of the sprite. center_y: Initial y position of the sprite. scale: Initial scale of the sprite. """ def __init__( self, center_x: float = 0.0, center_y: float = 0.0, scale: float = 1.0, animation: TextureAnimation | None = None, **kwargs, ): super().__init__( scale=scale, center_x=center_x, center_y=center_y, ) self._time = 0.0 self._animation: TextureAnimation | None = None if animation: self.animation = animation self._current_keyframe_index = 0 @property def time(self) -> float: """ Get or set the current time of the animation in seconds. """ return self._time @time.setter def time(self, value: float) -> None: self._time = value @property def animation(self) -> TextureAnimation: """ Animation object for this sprite. """ if self._animation is None: raise RuntimeError("No animation set for this sprite.") return self._animation @animation.setter def animation(self, value: TextureAnimation) -> None: """ Set the animation for this sprite. Args: value: Animation to set. """ self._animation = value # TODO: Forcing the first frame here might not be the best idea. self.texture = value._keyframes[0].texture self.sync_hit_box_to_texture()
[docs] def update_animation(self, delta_time: float = 1 / 60, **kwargs) -> None: """ Logic for updating the animation. Args: delta_time: Time since last update. """ if self._animation is None: raise RuntimeError("No animation set for this sprite.") self.time += delta_time index, keyframe = self._animation.get_keyframe(self.time) if index != self._current_keyframe_index: self._current_keyframe_index = index self.texture = keyframe.texture
[docs] class AnimatedWalkingSprite(Sprite): """ Deprecated Sprite for platformer games that supports walking animations. Make sure to call update_animation after loading the animations so the initial texture can be set. Or manually set it. It is highly recommended you create your own version of this class rather than try to use this pre-packaged one. For an example, see this section of the platformer tutorial: :ref:`platformer_part_twelve`. Args: scale: Initial scale of the sprite. center_x: Initial x position of the sprite. center_y: Initial y position of the sprite. """ def __init__( self, scale: float | Point2 = 1.0, center_x: float = 0.0, center_y: float = 0.0, **kwargs, ): super().__init__( None, scale=scale, center_x=center_x, center_y=center_y, ) self.state = FACE_RIGHT self.stand_right_textures: list[Texture] = [] self.stand_left_textures: list[Texture] = [] self.walk_left_textures: list[Texture] = [] self.walk_right_textures: list[Texture] = [] self.walk_up_textures: list[Texture] = [] self.walk_down_textures: list[Texture] = [] self.cur_texture_index = 0 self.texture_change_distance = 20 self.last_texture_change_center_x: float = 0.0 self.last_texture_change_center_y: float = 0.0
[docs] def update_animation(self, delta_time: float = 1 / 60) -> None: """ Logic for texture animation. Args: delta_time: Time since last update. """ x1 = self.center_x x2 = self.last_texture_change_center_x y1 = self.center_y y2 = self.last_texture_change_center_y distance = math.sqrt((x2 - x1) ** 2 + (y2 - y1) ** 2) texture_list: list[Texture] = [] change_direction = False if ( self.change_x > 0 and self.change_y == 0 and self.state != FACE_RIGHT and len(self.walk_right_textures) > 0 ): self.state = FACE_RIGHT change_direction = True elif ( self.change_x < 0 and self.change_y == 0 and self.state != FACE_LEFT and len(self.walk_left_textures) > 0 ): self.state = FACE_LEFT change_direction = True elif ( self.change_y < 0 and self.change_x == 0 and self.state != FACE_DOWN and len(self.walk_down_textures) > 0 ): self.state = FACE_DOWN change_direction = True elif ( self.change_y > 0 and self.change_x == 0 and self.state != FACE_UP and len(self.walk_up_textures) > 0 ): self.state = FACE_UP change_direction = True if self.change_x == 0 and self.change_y == 0: if self.state == FACE_LEFT: self.texture = self.stand_left_textures[0] elif self.state == FACE_RIGHT: self.texture = self.stand_right_textures[0] elif self.state == FACE_UP: self.texture = self.walk_up_textures[0] elif self.state == FACE_DOWN: self.texture = self.walk_down_textures[0] elif change_direction or distance >= self.texture_change_distance: self.last_texture_change_center_x = self.center_x self.last_texture_change_center_y = self.center_y if self.state == FACE_LEFT: texture_list = self.walk_left_textures if texture_list is None or len(texture_list) == 0: raise RuntimeError( "update_animation was called on a sprite that doesn't have a " "list of walk left textures." ) elif self.state == FACE_RIGHT: texture_list = self.walk_right_textures if texture_list is None or len(texture_list) == 0: raise RuntimeError( "update_animation was called on a sprite that doesn't have a list of " "walk right textures." ) elif self.state == FACE_UP: texture_list = self.walk_up_textures if texture_list is None or len(texture_list) == 0: raise RuntimeError( "update_animation was called on a sprite that doesn't have a list of " "walk up textures." ) elif self.state == FACE_DOWN: texture_list = self.walk_down_textures if texture_list is None or len(texture_list) == 0: raise RuntimeError( "update_animation was called on a sprite that doesn't " "have a list of walk down textures." ) self.cur_texture_index += 1 if self.cur_texture_index >= len(texture_list): self.cur_texture_index = 0 self.texture = texture_list[self.cur_texture_index] if self._texture is None: logger.warning("Error, no texture set") else: self.width = self._texture.width * self.scale_x self.height = self._texture.height * self.scale_x