1.異步委托開啟線程
public class Program { public static void Main(string[] args) { Action<int, int> a = add; a.BeginInvoke(3, 4, null, null); Console.WriteLine("執行線程"); Console.ReadKey(); } static void add(int a, int b) { Console.WriteLine(a + b); } }
2.通過Thread類開啟線程
public class Program { public static void Main(string[] args) { Thread t1; Thread t2; t1 = new Thread(SetInfo1); t2 = new Thread(SetInfo2); t1.Start(); //線程睡眠 //t1.Join(1000); //掛起線程 t1.Suspend(); //繼續執行線程 t1.Resume(); //結束線程 //t1.Abort(); t2.Start(); Console.ReadKey(); } //奇數線程 public static void SetInfo1() { for (int i = 0; i < 100; i++) { if (i % 2 != 0) { Console.WriteLine("奇數為" + i); } } } //偶數線程 public static void SetInfo2() { for (int i = 0; i < 100; i++) { if (i % 2 == 0) { Console.WriteLine("偶數為" + i); } } } }
3.通過線程池開啟線程
//線程池可以看做容納線程的容器;一個應用程序最多只能有一個線程池;ThreadPool靜態類通過QueueUserWorkItem()方法將工作函數排入線程池; 每排入一個工作函數,就相當於請求創建一個線程; //線程池的作用: //1、線程池是為突然大量爆發的線程設計的,通過有限的幾個固定線程為大量的操作服務,減少了創建和銷毀線程所需的時間,從而提高效率。 //2、如果一個線程的時間非常長,就沒必要用線程池了(不是不能作長時間操作,而是不宜。),況且我們還不能控制線程池中線程的開始、掛起、和中止 public class Program { public static void Main(string[] args) { ThreadPool.QueueUserWorkItem(new WaitCallback(TestThreadPool), new string[] { "hjh" }); Console.ReadKey(); } public static void TestThreadPool(object state) { string[] arry = state as string[];//傳過來的參數值 int workerThreads = 0; int CompletionPortThreads = 0; ThreadPool.GetMaxThreads(out workerThreads, out CompletionPortThreads); Console.WriteLine(DateTime.Now.ToString() + "---" + arry[0] + "--workerThreads=" + workerThreads + "--CompletionPortThreads" + CompletionPortThreads); } }
4.通過任務Task開啟線程
public class Program { public static void Main(string[] args) { Task task = new Task(DownLoadFile_My); task.Start(); Console.ReadKey(); } static void DownLoadFile_My() { Console.WriteLine("開始下載...線程ID:"+Thread.CurrentThread.ManagedThreadId); Thread.Sleep(500); Console.WriteLine("下載完成!"); } }