Unity C#计时器应该每1.5分钟触发一次功能,但不会

时间:2018-01-09 19:15:47

标签: c# unity3d timer unity5

我正在尝试编写一个脚本,在1.5分钟后将所有灯关闭10秒,然后重新打开。
现在,似乎计时器被绕过了。我意识到造成这种情况的原因可能是因为时间永远不会是90左右 话虽如此,我不知道如何得到我想要的结果。

我想过使用InvokeRepeating代替(如注释掉的那样),但这意味着每次灯都会关闭更长时间。

using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class LightsTimerTrigger : MonoBehaviour {
    private GameObject[] allLights;
    private float time = 0.0f;
    private float secondTimer = 0.0f;

    void Start () {
        // Create array of lights 
        allLights = GameObject.FindGameObjectsWithTag("riddleLights");

        //InvokeRepeating("lightsOn", 60.0f, 120.0f);
        //InvokeRepeating("lightsOff", 60.10f, 120.10f); // Exponential
    }

    // Update is called once per frame
    void Update () {
        time += Time.deltaTime;

        if(time%90 == 0)
        {
            secondTimer = time;
            lightsOff();
            Debug.Log("Lights off");
        }

        if (time == secondTimer + 10)
        {
            // Turn lights back on after 10 seconds
            lightsOn();
            Debug.Log("Lights back on");
        }
    }

    void lightsOff()
    {
        foreach (GameObject i in allLights)
        {
            i.SetActive(false);
        }
    }

    void lightsOn()
    {
        foreach (GameObject i in allLights)
        {
            i.SetActive(true);
        }
    }
}

1 个答案:

答案 0 :(得分:6)

if(time%90 == 0)

这将(几乎可以肯定)永远不会成真。

如果时间是90.000000001会怎样?好吧,将90部分分开并检查if(0.000000001 == 0)是否为假。

你应该纠正你的代码:

if(time >= 90) {
    time -= 90;
    //the rest of your code
}

你需要为你的10秒延迟做类似的事情。

协程选项:

void Start () {
    //existing code
    StartCoroutine(FlickerLights());
}

IEnumerator FlickerLights() {
    while(true) {
        yield return new WaitForSeconds(90);
        lightsOff();
        Debug.Log("Lights off");
        yield return new WaitForSeconds(10);
        lightsOn();
        Debug.Log("Lights back on");
    }
}