暂停附加Text一定的毫秒数

时间:2013-10-29 10:04:31

标签: c# multithreading timer

我目前正在制作基于文本的游戏,但我需要暂停一段时间才能暂停。我正在寻找这样的东西:

void InitProgram()
{
   WriteToText("Welcome!");
   CreatePause(3000); // Pause execution HERE for 3 seconds without locking UI
   WriteToText("How are you?"); // Continue
   StartTutorial();
}

因此,该方法将被调用,等待它,然后返回。当它返回时,继续正常执行。 我能为这种效果做些什么?

4 个答案:

答案 0 :(得分:2)

您可以使用计时器:

readonly Timer _timer = new Timer();

void InitProgram()
{    
    WriteToText("Welcome!");

   _timer.Interval = 3000;
   _timer.Tick += timer_Tick;
   _timer.Start();
}


void timer_Tick(object sender, EventArgs e)
{
    WriteToText("How are you?"); // Continue
    StartTutorial();

    _timer.Stop();
}

如果你想多次调用它,只需将_timer.Start放入它自己的方法中,每次调用它时,3秒后将发生在timer_Tick中的任何内容:

private void StartTimer()
{
    _timer.Start();
}

void timer_Tick(object sender, EventArgs e)
{
    WriteToText("How are you?"); // Continue
    StartTutorial();

    _timer.Stop();
}

答案 1 :(得分:1)

如果目标框架为4.0或更高版本且IDE为VS2012或更高版本,那么您可以使用async / await

    private async void Foo()
    {
        Console.WriteLine("Going to Await");
        await Task.Delay(5000);
        Console.WriteLine("Done with awaiting");
    }

它非常简单明了,最大的优点是保留了“线性”流,因为必要的回调等由编译器自动处理。

答案 2 :(得分:0)

这样的事情怎么样?

它的所有伪代码,我还没有测试过......

Thread _thread;

void InitProgram()
{
   WriteToText("Welcome!");

   ThreadStart ts = new ThreadStart(StartThread);
   _thread = new Thread(ts);
   _thread.Start();
}

private void StartThread()
{
    Thread.CurrentThread.Sleep(3000);
    this.Invoke(delegate { this.StartTutorial(); });
}

private void StartTutorial()
{
   WriteToText("How are you?"); // Continue

   //Start tutorial
}

答案 3 :(得分:0)

Hahahahhaha!我用可能最疯狂的方法找出了答案!伙计们,看看这个!

首先,声明全局列表:

private List<Action> actionList = new List<Action>();

现在,这就是你要通过以下方法调用等待的方法:

WriteToLog("Hello!"); 
Action act = delegate() { WriteToLog("How are you?"); }; actionList.Add(act); // Create a new Action out of this method and add it to the action list!
CreatePause(3000); // Call the method with your specified time

void CreatePause(int millisecondsToPause)
    {
        Action w = delegate() { Thread.Sleep(millisecondsToPause); };
        for (int i = 0; i < actionList.Count; i++) // Iterate through each method in the action list that requires attention
        {
            Action a_Instance = (Action)actionList[i]; // Add a cast to each iteration
            AsyncCallback cb = delegate(IAsyncResult ar) { Invoke(a_Instance);  w.EndInvoke(ar); };   // Do each method!!!!
            w.BeginInvoke(cb, null);
        }
        actionList.Clear();  // Clear that list!
        return; // Return!
    }

老实说,这应该不行,但确实如此。