C# 生成新线程,然后等待

本文关键字:然后 等待 线程 新线程 | 更新日期: 2023-09-27 18:31:16

我对多线程技术非常缺乏经验,但这是我尝试过的:

Thread thread = null;
for (int minute = 0; minute < 60; minute++)
{
    Thread.Sleep(60000);
    if (thread != null)
    {
        while (thread.ThreadState == ThreadState.Running) { }
    }
    thread = new Thread(delegate()
    {
        // Do stuff during the next minute whilst the main thread is sleeping.
    });
    thread.Start();
}

我在这里要实现的是让一个线程在主线程休眠时运行并工作,但我不确定为什么上面的代码不起作用。发生的情况是,在第一个循环之后(启动线程后),ThreadState 似乎没有从"正在运行"更改。我也很好奇是否有更优雅的方式来做到这一点。

有人知道问题吗?

C# 生成新线程,然后等待

Thread.Join 是等待线程结束的更好方法。

如果您使用的是.Net 4,我建议您查看任务类。 它使多线程处理变得更加容易/直接。

使用 Task 类可以执行此操作。

Task task = Task.Factory.StartNew(() =>
  {
    // Do stuff here.
  });
task.Wait();

您可能正在寻找的更像这样的东西:

Thread thread = new Thread(delegate()
    {
        // Something that takes up to an hour
    });
thread.Start();
for (int minute = 0; minute < 60; minute++)
{
    Thread.Sleep(60000);
    if (thread.IsAlive)
        Console.WriteLine("Still going after {0} minute(s).", minute);
    else
        break; // Finished early!
}
// Check if it's still running
if (thread.IsAlive)
{
    Console.WriteLine("Didn't finish after an hour, something may have screwed up!");
    thread.Abort();
}

如果这是你要找的,我会看看BackgroundWorker 类。

Thread.Sleep(60000) 在调用它的线程上执行,在本例中为主线程执行。这很好,但是"线程"不知道它已经运行了多长时间,也不知道何时真正停止。你需要让一个对象告诉"线程"它已经运行了 60 秒。

Thread thread = null;
for (int minute = 0; minute < 60; minute++)
{
    if (thread != null)
    {
        while (thread.ThreadState == ThreadState.Running) { }
    }
    thread = new Thread(delegate()
    {
        try
        {
            // Do stuff during the next minute whilst the main thread is sleeping.
        }
        catch (ThreadAbortException ex)
        {
        }
    });
    thread.Start();
    Thread.Sleep(60000);
    thread.Abort();
}

这应该可以实现您想要的,但并不是停止线程的最优雅方法。线程实际上应该使用回调结束。