Unity倒计时 Unity实现倒计时功能
SakuraJI 人气:0有两种思路可以实现倒计时,一个是Update,另一个是协程。这里只展示核心的算法思路,有收获的还请点个赞哦
Update
首先定义三个变量,访问权限按需求设置:
float GameTime; // 游戏总时间,int或者float都可,单位为秒 float TimeLeft; // 游戏剩余时间,单位为秒 float Timer; // 计时器 Text TimeCountDown; // 计时器Text引用
思路: 首先用GameTime初始化TimeLeft,在Update中,计时器不断增加,每过一秒,TimeLeft就-1,然后重置计时器。代码如下:
void Update() { Timer += Time.deltaTime; if (Timer >= 1) // 每过一秒执行一次 { GameTime -= 1; // 剩余秒数-1 if (TimeLeft <= 0) // 剩余时间为0,游戏暂停 { Time.timeScale = 0; } int _minute = TimeLeft / 60; // 计算剩余分钟数 float _second = TimeLeft % 60; // 计算不足一分钟的剩余秒数 // 对计时器文本格式化输出 TimeCountDown.text = _minute + ":" + string.Format("{0:00}", _second); m_TrGame = 0f; // 重置计时器 } }
协程
相对来说,协程就要简单一点。同样先定义几个变量:
float GameTime; // 游戏总时间,int或者float都可,单位为秒 float TimeLeft; // 游戏剩余时间,单位为秒 Text TimeCountDown; // 计时器Text引用
思路: 首先依然用GameTime初始化TimeLeft,然后在协程中设置循环,每次循环TimeLeft都-1。代码如下:
IEnumerator TimeCountDown() { TimeLeft = GameTime; // 初始化剩余时间 while (true) { int _minute = TimeLeft / 60; // 计算剩余分钟数 float _second = TimeLeft % 60; // 计算不足一分钟的剩余秒数 // 对计时器文本格式化输出 TimeCountDown.text = _minute + ":" + string.Format("{0:00}", _second); if (TimeLeft <= 0) // 剩余时间为0,游戏暂停 { Time.timeScale = 0; yield break; // 退出协程必须有,上一条语句不能暂停协程 } yield return new WaitForSeconds(1f); // 每次进入循环都等待1s } }
一定要自己写一遍哦
加载全部内容