如何将线程置于暂停/睡眠状态,直到我在 c# 中手动恢复它?
目前我正在中止线程,但这不是我想要的。线程应该休眠/暂停,直到它触发它唤醒。
如何将线程置于暂停/睡眠状态,直到我在 c# 中手动恢复它?
目前我正在中止线程,但这不是我想要的。线程应该休眠/暂停,直到它触发它唤醒。
您应该通过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();
}
}