一直对c#中async/await的用法模模糊糊,不太清晰,今天写了一下Demo彻底明确一下async/await的用法,以免因为对其不了解而对后期的业务产生影响(比如事务导致的锁表等等)。
1. 首先,async/await 一般是成对出现才有意义。其意义在于可以等待异步操作完成后继续顺序执行,而不是异步操作还没处理完成主线程就进行了下一步。
假设,我们现在要模拟简单的下载场景,首先用户点击下载,那么就调用DownloadHandle方法(异步)进行下载,然后通知用户下载完成。其使用 async/await 的区别如下:
(1)使用 async/await 的情况:
internal class Program { static void Main(string[] args) { DownloadHandle(); Console.ReadLine(); } /// <summary> /// 正常使用async/await时,符合正常的业务逻辑: /// 1. 通知用户下载开始 /// 2. 异步下载 /// 3. 等待异步下载完成后给用户提示下载完成 /// </summary> public static async void DownloadHandle() { Console.WriteLine("下载开始!->主线程ID:" + Thread.CurrentThread.ManagedThreadId); await Download(); Console.WriteLine("下载完成!->主线程ID:" + Thread.CurrentThread.ManagedThreadId); } /// <summary> /// 下载 /// </summary> /// <returns></returns> public static Task Download() { return Task.Run(() => { Console.WriteLine("下载线程ID:->" + Thread.CurrentThread.ManagedThreadId); Console.WriteLine("10%"); Console.WriteLine("30%"); Console.WriteLine("50%"); Console.WriteLine("60%"); Console.WriteLine("80%"); Console.WriteLine("99%"); Console.WriteLine("100%"); }); } }
02-08 15:14