C#異步方法執行轉於http://blog.csdn.net/wanlong360599336/article/details/8781477 c#
using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading; using System.Runtime.Remoting.Messaging; namespace ConsoleApplication1 { public delegate int AddHandler(int a, int b); public class AddMethod { public static int Add(int a, int b) { Console.WriteLine("開始計算:" + a + "+" + b); Thread.Sleep(3000); //模擬該方法運行三秒 Console.WriteLine("計算完成!"); return a + b; } } //**************同步調用*********** //委託的Invoke方法用來進行同步調用。同步調用也能夠叫阻塞調用,它將阻塞當前線程,而後執行調用,調用完畢後再繼續向下進行。 //**************異步調用*********** //異步調用不阻塞線程,而是把調用塞到線程池中,程序主線程或UI線程能夠繼續執行。 //委託的異步調用經過BeginInvoke和EndInvoke來實現。 //**************異步回調*********** //用回調函數,當調用結束時會自動調用回調函數,解決了爲等待調用結果,而讓線程依舊被阻塞的局面。 //注意: BeginInvoke和EndInvoke必須成對調用.即便不須要返回值,但EndInvoke仍是必須調用,不然可能會形成內存泄漏。 class Program { static void Main(string[] args) { Console.WriteLine("===== 同步調用 SyncInvokeTest ====="); AddHandler handler = new AddHandler(AddMethod.Add); int result=handler.Invoke(1,2); Console.WriteLine("繼續作別的事情。。。"); Console.WriteLine(result); Console.ReadKey(); Console.WriteLine("===== 異步調用 AsyncInvokeTest ====="); AddHandler handler1 = new AddHandler(AddMethod.Add); IAsyncResult result1=handler1.BeginInvoke(1,2,null,null); Console.WriteLine("繼續作別的事情。。。"); //異步操做返回 Console.WriteLine(handler1.EndInvoke(result1)); Console.ReadKey(); Console.WriteLine("===== 異步回調 AsyncInvokeTest ====="); AddHandler handler2 = new AddHandler(AddMethod.Add); IAsyncResult result2 = handler2.BeginInvoke(1, 2, new AsyncCallback(Callback), null); Console.WriteLine("繼續作別的事情。。。"); Console.ReadKey(); //異步委託,也能夠參考以下寫法: //Action<object> action=(obj)=>method(obj); //action.BeginInvoke(obj,ar=>action.EndInvoke(ar),null); //簡簡單單兩句話就能夠完成一部操做。 } static void Callback(IAsyncResult result) { AddHandler handler = (AddHandler)((AsyncResult)result).AsyncDelegate; Console.WriteLine(handler.EndInvoke(result)); } } }