我做了一个迷宫游戏。我需要一个计时器。我试图创建一个这样的类:
using System;
using System.Threading;
namespace Maze
{
class Countdown
{
public void Start()
{
Thread.Sleep(3000);
Environment.Exit(1);
}
}
}
并在代码的开头调用方法Start()。运行之后,我试图通过失败的迷宫移动虚拟形象。如果我没弄错的话,Thread.Sleep使我的其余代码不再工作了。如果我有办法可以做其他事情,请告诉我。
答案 0 :(得分:2)
当前代码不起作用的原因是调用Thread.Sleep()
会停止当前线程的任何执行,直到给定的时间结束。因此,如果您在主游戏线程上调用Countdown.Start()
(我猜您正在做),您的游戏将会冻结,直到Sleep()
来电完成。
相反,您需要使用System.Timers.Timer
更新:现在希望与您的方案更匹配
public class Timer1
{
private int timeRemaining;
public static void Main()
{
timeRemaining = 120; // Give the player 120 seconds
System.Timers.Timer aTimer = new System.Timers.Timer();
// Method which will be called once the timer has elapsed
aTimer.Elapsed + =new ElapsedEventHandler(OnTimedEvent);
// Set the Interval to 3 seconds.
aTimer.Interval = 3000;
// Tell the timer to auto-repeat each 3 seconds
aTimer.AutoReset = true;
// Start the timer counting down
aTimer.Enabled = true;
// This will get called immediately (before the timer has counted down)
Game.StartPlaying();
}
// Specify what you want to happen when the Elapsed event is raised.
private static void OnTimedEvent(object source, ElapsedEventArgs e)
{
// Timer has finished!
timeRemaining -= 3; // Take 3 seconds off the time remaining
// Tell the player how much time they've got left
UpdateGameWithTimeLeft(timeRemaining);
}
}
答案 1 :(得分:1)
您正在寻找Timer
课程。
答案 2 :(得分:1)
为什么不使用BCL中已包含的其中一个Timer类?
Here是对不同版本的比较(MSDN Magazine - 比较.NET Framework类库中的Timer类)。阅读它,看看哪一个最适合您的具体情况。
答案 3 :(得分:0)
除了@Slaks resposnse可以说你可以使用:
System.Windows.Forms.Timer
这是与UI保持在同一线程上的Timer System.Timers.Timer
这是一个计时器,但在另一个线程上运行。 选择由您决定,取决于您的应用程序架构。
问候。