暂停线程直到手动恢复

时间:2013-07-04 15:03:16

标签: c# .net multithreading visual-studio-2010

如果我在c#中手动恢复线程,我怎么把线程置于暂停/睡眠状态?

目前我正在中止线程,但这不是我想要的。线程应该睡眠/暂停,直到它触发它唤醒为止。

2 个答案:

答案 0 :(得分:18)

您应该通过ManualResetEvent

执行此操作
ManualResetEvent mre = new ManualResetEvent();
mre.WaitOne();  // This will wait

在另一个帖子上,显然你需要对ManualResetEvent实例的引用。

mre.Set(); // Tells the other thread to go again

一个完整的例子,它将打印一些文本,等待另一个线程做某事然后恢复:

class Program
{
    private static ManualResetEvent mre = new ManualResetEvent(false);

    static void Main(string[] args)
    {
        Thread t = new Thread(new ThreadStart(SleepAndSet));
        t.Start();

        Console.WriteLine("Waiting");
        mre.WaitOne();
        Console.WriteLine("Resuming");
    }

    public static void SleepAndSet()
    {
        Thread.Sleep(2000);
        mre.Set();
    }
}

答案 1 :(得分:4)