首页 > 解决方案 > 如何使用 Godot 中的动画播放器跳到动画中的某个位置?

问题描述

我正在 godot 中制作游戏,并且必须存储动画位置,因为动画被另一个暂停。我想继续之前的动画,这就是为什么我必须存储动画位置然后将其设置为存储的值。

我试过设置它(没用),在文档和互联网的其他地方我没有发现任何有用的东西。

这是上面的脚本:

extends KinematicBody2D

onready var animation_player = $AnimationPlayer

var hurt_anim_playing: bool = false
var hurt_anim_progress: float = 0

func _ready():
    animation_player.play("idle")
    pass

func _physics_process(delta): 
    # for each touching heart, get hurt
    for body in hitbox.get_overlapping_bodies(): 
        if body.has_method("heart"):
            G.health -= 1
            hurt_anim_playing = true
            hurt_anim_progress = animation_player.current_animation_position
            animation_player.play("hurt")
            update_sprite()
            body.queue_free()


func die():
    dieLayer.visible = true 
    get_tree().paused = true

func update_sprite():
    sprite.frame = G.max_health - G.health 
    if G.health == 0:
        die()


func _on_AnimationPlayer_animation_finished(anim_name):
    if anim_name == "hurt":
        hurt_anim_playing = false 
        animation_player.play("idle")
        animation_player.current_animation_position = hurt_anim_progress


实际上我想设置动画位置并让动画从它停止的地方继续,但是我得到了一个错误

标签: animationgodot

解决方案


问题是 current_animation_position 只有一个 getter,而不是一个 setter: https ://docs.godotengine.org/en/3.1/classes/class_animationplayer.html#class-animationplayer-property-current-animation-position

要将动画设置到特定点,您可以使用 Advance(float delta),如果您想处理开始点和恢复点之间的所有内容,或者使用 seek(float seconds, bool update=false),如果您只想跳转到新的位置。如果您需要将 update 设置为 true,您可以进行测试。文档说“如果更新为真,动画也会更新,否则它会在处理时更新。”

您的代码将如下所示:

func _physics_process(delta): 
# for each touching heart, get hurt
for body in hitbox.get_overlapping_bodies(): 
    if body.has_method("heart"):
        G.health -= 1
        hurt_anim_playing = true
        hurt_anim_progress = animation_player.current_animation_position
        animation_player.play("hurt")
        update_sprite()
        body.queue_free()


func _on_AnimationPlayer_animation_finished(anim_name):
    if anim_name == "hurt":
        hurt_anim_playing = false 
        animation_player.play("idle")
        animation_player.seek(hurt_anim_progress) #maybe (hurt_anim_progress, true)

推荐阅读