0

嗨,我正在创建一个 2D 无尽的跑步者。背景有2个动画 - 滚动和停止滚动当角色碰撞和死亡时我想做以下

  1. 启用死亡动画 - 这正在发生
  2. 停止计时器 - 如果我这样做,所有动画都会停止
  3. 停止背景滚动 - 虽然它发生在死亡动画完成之前并跳回第一帧,但这种情况正在发生。我希望背景相对于角色死亡的地方停止。
  4. 销毁角色 - 这正在发生,但在动画完成之前。我想我需要使用协程但不知道怎么做?

请帮忙!

这是我建议的更新代码

void OnCollisionEnter2D(Collision2D other)
{
    if (other.gameObject.name == "Obstacle(Clone)")
    {
        StartCoroutine (DoMyThings(other.gameObject, this.gameObject, false));
    }
}

IEnumerator DoMyThings(GameObject obstacle, GameObject player, bool ninjaObjBool)
{
    ninjaObj = ninjaObjBool;
    Destroy (obstacle);
    animator.SetBool("dead", true);
    yield return new WaitForSeconds(1.2f);
    Destroy (player);
    Time.timeScale=0;
    //timerIsStopped = true;
    yield break;
}

背景动画 我复制了一个背景精灵并将它们并排对齐。RHS sprite 是层次结构中 LHS sprite 的子代。然后我点击 LHS bg sprite -> windows->Animation。使用添加曲线在 X 轴上变换背景,使其无限移动。

4

1 回答 1

1

首先,在 Update() 中查找游戏对象并不是一个好习惯。可能需要创建它的实例。你可以这样做 -

private Ninja ninjaClass;
.....
void Awake(){ //You can do it in Start() too if there is no problem it causes
    ninjaClass = GameObject.Find("Ninja").GetComponent<Ninja>();
}

//Now in Update(),

void Update(){
    if(!ninjaClass.ninjaObj){
        animator.SetBool("stopScroll", true);
    }
}

现在,OnCollisionEnter2D(),您正在设置 Time.timeScale = 0,这将停止场景中与时间相关的每个游戏对象(这对于暂停游戏很有用)。有很多方法可以执行事件(1.2.3.4)。如果您提供代码来显示您如何制作动画和使用计时器会更好。但是正如您提到的协程,我将向您展示一个示例-

float timer = 0.0f;
float bool timeIsStopped = false;
.........
void Update(){
    if(!timeIsStopped){timer += Time.deltaTime;}
}

void OnCollisionEnter2D(Collision2D other){
    if (other.gameObject.name == "Obstacle(Clone)")
    {
        StartCoroutine(DoMyThings(other.gameObject, this.gameObject, false));
    }
}

IEnumerator DoMyThings(GameObject obstacle, GameObject player, bool ninjaObjBool){
    ninjaObj = ninjaObjBool;
    yield return new WaitForSeconds(1.0f);
    animator.SetBool("dead", true);
    yield return new WaitForSeconds(1.5f);
    Destroy(obstacle);
    yield return new WaitForSeconds(2.0f);
    timeIsStopped = true;
    yield return new WaitForSeconds(0.5f);
    Destroy(player);
    yield break;
}

希望它能帮助您了解如何实现您的代码。

于 2015-02-12T10:46:35.160 回答