等待线程在 C# 中完成

Muhammad Maisam Abbas 2023年1月30日 2021年4月29日
  1. 用 C# 中的 Task.WaitAll() 方法等待线程完成
  2. 用 C# 中的 Thread.Join() 方法等待线程完成
等待线程在 C# 中完成

本教程将讨论在 C# 中等待线程完成的方法。

用 C# 中的 Task.WaitAll() 方法等待线程完成

C# 中的 [Task.WaitAll() 方法)用于等待 Task 类的所有对象的完成。Task表示 C# 中的异步任务。我们可以使用 Task 类启动线程,并等待线程在 C# 中使用 Task.WaitAll() 方法结束。

using System;
using System.Threading.Tasks;

namespace wait_for_thread
{
    class Program
    {
        static void fun1()
        {
            for(int i = 0; i < 2; i++)
            {
                Console.WriteLine("Thread 1");
            }
        }
        static void fun2()
        {
            for (int i = 0; i < 2; i++)
            {
                Console.WriteLine("Thread 2");
            }
        }
        static void Main(string[] args)
        {
            Task thread1 = Task.Factory.StartNew(() => fun1());
            Task thread2 = Task.Factory.StartNew(() => fun2());
            Task.WaitAll(thread1, thread2);
            Console.WriteLine("The End");
        }
    }
}

输出:

Thread 1
Thread 1
Thread 2
Thread 2
The End

在上面的代码中,我们等待 C# 中的 Task.WaitAll() 方法在主线程中完成 thread1thread2 任务。

用 C# 中的 Thread.Join() 方法等待线程完成

在上一节中,我们讨论了如何使用 C# 中的 Task.WaitAll() 方法等待线程。我们还可以使用 C# 中的 Thread.Join() 方法来实现相同的目标。Thread.Join() 方法暂停调用线程的执行,直到当前线程完成其执行为止。以下代码示例向我们展示了如何使用 C# 中的 Thread.Join() 方法等待线程完成其执行。

using System;
using System.Threading.Tasks;

namespace wait_for_thread
{
    class Program
    {
        static void fun1()
        {
            for(int i = 0; i < 2; i++)
            {
                Console.WriteLine("Thread 1");
            }
        }
        static void fun2()
        {
            for (int i = 0; i < 2; i++)
            {
                Console.WriteLine("Thread 2");
            }
        }
        static void Main(string[] args)
        {
            Thread thread1 = new Thread(new ThreadStart(fun1));
            Thread thread2 = new Thread(new ThreadStart(fun2));
            
            thread1.Start();
            thread1.Join();
            thread2.Start();
            thread2.Join();
            Console.WriteLine("The End");
        }
    }
}

输出:

Thread 1
Thread 1
Thread 2
Thread 2
The End

在上面的代码中,我们用 C# 中的 Thread.Join() 方法等待 thread1thread2 线程在主线程中完成。

Muhammad Maisam Abbas avatar Muhammad Maisam Abbas avatar

Maisam is a highly skilled and motivated Data Scientist. He has over 4 years of experience with Python programming language. He loves solving complex problems and sharing his results on the internet.

LinkedIn

相关文章 - Csharp Thread