我无法看到无限循环,但我的游戏仍然冻结

时间:2015-12-14 19:56:37

标签: c# unity3d while-loop infinite-loop freeze

我在Unity c#游戏中有一些敌人的代码。该代码具有一个降低运行状况的函数和一些连接到使用Invoke()调用该函数的触发器的代码。 Invoke方法存储在while循环中,以便在health大于0时执行。脚本如下所示。

我可以运行游戏,但只要敌人进入触发器,游戏就会冻结。这通常是由于无限循环,但在我看来它看起来是正确的。有什么我想念的吗?

using UnityEngine;
using System.Collections;

public class Base : MonoBehaviour {

public float Health = 100f;
public float AttackSpeed = 2f;

//If enemy touches the base 
void OnCollisionEnter2D(Collision2D col){
    Debug.Log ("Base touched");
    if(col.gameObject.tag == "Enemy"){
        while(Health > 0f){
            Debug.Log ("Enemy attacking base");
            //call attack funtion in x seconds
            Invoke("enemyAttack", 2.0f);
        }
    }
}

//Enemy attack function that can be used with Invoke
void enemyAttack(){
    Health -= Enemy.Damage;
    Debug.Log ("Base health at: " + Health);
}


// Use this for initialization
void Start () {

}

// Update is called once per frame
void Update () {

    //Load Lose Screen when Base health reaches 0
    if (Health <= 0){
        Application.LoadLevel("Lose Screen");
    }
}
}

1 个答案:

答案 0 :(得分:1)

你的Invoke()被一遍又一遍地呼叫,排队等候。你应该在这里使用一个协程。

void OnCollisionEnter2D(Collision2D col){
    Debug.Log ("Base touched");
    if (col.gameObject.tag == "Enemy"){
        if (Health > 0f){
            Debug.Log ("Enemy attacking base");
            StartCoroutine (enemyAttack ());
        }
    }
}

IEnumerator enemyAttack () {
    while (Health > 0f) {
        yield return new WaitForSeconds (2f);
        Health -= Enemy.Damage;
        Debug.Log ("Base health at: " + Health);
    }
}