(Originally posted here, with slight modifications)
I had absolutely no idea what async
/ await
was and learning it was hard as:
- There’s 27 minutes worth of text to read in the first two introductory articles by MSDN here and here, with many more articles referenced in them.
- It wasn’t clearly stated in the documentation what
async
/await
solves. - There’s no one-stop guide concerning this topic.
I’m documenting my learnings to address the above pain points that I encountered, and the content is ordered as such:
- Must Know
- Should Know
- Good to Know
This post assumes prior understanding of threads.
Must Know
Main Point: async
/ await
solves the problem of threads being blocked (waiting idly) while waiting for its task to complete.
Introduction
It’s a weekend afternoon, and you decide to:
- Use a waffle machine to make a waffle.
- Reply a text message from your mum.
In this hypothetical scenario,
- Making a waffle is an asynchronous operation - you would leave the waffle mixture in the machine and let the machine make the waffle. This frees you to perform other tasks while waiting for the waffle to be completed.
- Replying mum is a synchronous operation.
These operations, if implemented in a fully synchronous manner in C# code, may look like this:
static void Main()
{
Waffle waffle = MakeWaffle();
ReplyMum();
}
static Waffle MakeWaffle()
{
var task = Task.Delay(2000); // start the waffle machine. Simulates time taken to make the waffle
task.Wait(); // synchronously wait for it...
return new Waffle(); // waffle is done!
}
static void ReplyMum() => Thread.Sleep(1000); // simulates time taken by you to reply mum
Problem
The thread calling task.Wait()
is blocked till task
completes.
This leads to inefficiency as you would ReplyMum()
after MakeWaffle()
has completed execution, rather than replying while MakeWaffle()
is executing. Therefore, these tasks take roughly 2000ms + 1000ms = 3s to complete rather than the expected 2s.
Solution
Let’s update MakeWaffle()
to run asynchronously:
-static Waffle MakeWaffle()
+static async Task<Waffle> MakeWaffleAsync() // (2) & (3)
{
var task = Task.Delay(2000);
- task.Wait();
+ await task; // (1)
return new Waffle();
}
- Replacing
Wait()
withawait
.await
can be conceived of as the asynchronous version ofWait()
. You wouldReplyMum()
immediately after starting the waffle machine, rather than waiting idly for the waffle machine to complete making the waffle. - Addition of
async
modifier in the method signature. This modifier is required to use theawait
keyword in the method; the compiler will complain otherwise. - Modifying the return type to
Task<Waffle>
. ATask
object basically “represents the ongoing work”. More on that below.
Let’s update the caller method accordingly:
-static void Main()
+static async Task MainAsync()
{
- Waffle waffle = MakeWaffle();
+ Task<Waffle> waffleTask = MakeWaffleAsync();
ReplyMum();
+ Waffle waffle = await waffleTask;
}
The resulting code looks like this:
static async Task MainAsync()
{
Task<Waffle> waffleTask = MakeWaffleAsync(); // (3)
ReplyMum(); // (4)
Waffle waffle = await waffleTask; // (5) & (7)
}
static async Task<Waffle> MakeWaffleAsync()
{
var task = Task.Delay(2000); // (1)
await task; // (2)
return new Waffle(); // (6)
}
static void ReplyMum() => Thread.Sleep(1000);
Let’s analyse the code:
- Start the waffle machine.
- Wait asynchronously for the waffle machine to complete making the waffle. Since the waffle is not yet done, control is returned to the caller.
waffleTask
now references the incomplete task.- Start replying mum.
- Wait asynchronously (remaining ~1s) for the waffle machine to complete making the waffle. In our scenario, since the main method has no caller, there’s no caller to return control to and no further work for the thread to process.
- Waffle machine is done making the waffle.
- Assign the result of
waffleTask
towaffle
.
Key clarifications:
-
Don’t
await
a task too early;await
it only at the point when you need its result. This allows the thread to execute the subsequent code until theawait
statement. This is illustrated in the above code sample:a. Notice the control flow in step 2. After executing
await task
, control is returned toMainAsync()
; code after theawait
statement (step 6) is not executed untiltask
completes.b. Similarly, if
await waffleTask
was executed beforeReplyMum()
(i.e. immediately after step 3),ReplyMum()
won’t execute untilwaffleTask
completes. -
Suppose
ReplyMum()
takes longer than 2000ms to complete, thenawait waffleTask
will return a value immediately sincewaffleTask
has already completed.
And we’re done! You can run my program to verify that the synchronous code takes 3s to execute, while the asynchronous code only takes 2s.
Additional Notes
-
Sahan puts it well that “tasks are not an abstraction over threads”;
async
!=multithreading
. The illustration above is an example of a single-threaded (i.e. tasks are completed by one person), asynchronous work. Stephen Cleary explained how this works under the hood. -
Suffix
Async
“for methods that return awaitable types”. For example, I’ve renamedMakeWaffle()
toMakeWaffleAsync()
.
Should Know
Introduction
Suppose you want to do something more complex instead:
- Use a waffle machine to make a waffle.
- Use a coffee maker to make a cup of coffee.
- Download a camera app from Play Store.
- After steps 1 & 3 are completed, snap a photo of the waffle.
- After steps 2 & 3 are completed, snap a photo of the coffee.
If we only use the syntax we’ve learned above, the code looks like this:
static async Task MainAsync()
{
Task<Waffle> waffleTask = MakeWaffleAsync();
Task<Coffee> coffeeTask = MakeCoffeeAsync();
Task<App> downloadCameraAppTask = DownloadCameraAppAsync();
var waffle = await waffleTask;
var coffee = await coffeeTask;
var app = await downloadCameraAppTask;
app.Snap(waffle);
app.Snap(coffee);
}
Problem
Suppose the timing taken for each task to complete is random. In the event waffleTask
and downloadCameraAppTask
completes first, you would want to app.Snap(waffle)
while waiting for coffeeTask
to complete.
However, you will not do so as you are still await
-ing the completion of coffeeTask
; app.Snap(waffle)
comes after the awaiting of coffeeTask
. That’s inefficient.
Solution
Let’s use task continuation and task composition to resolve the above problem:
static async Task MainAsync()
{
Task<Waffle> waffleTask = MakeWaffleAsync();
Task<Coffee> coffeeTask = MakeCoffeeAsync();
Task<App> downloadCameraAppTask = DownloadCameraAppAsync();
Task snapWaffleTask = Task.WhenAll(waffleTask, downloadCameraAppTask) // (1)
.ContinueWith(_ => downloadCameraAppTask.Result.Snap(waffleTask.Result)); // (2)
Task snapCoffeeTask = Task.WhenAll(coffeeTask, downloadCameraAppTask)
.ContinueWith(_ => downloadCameraAppTask.Result.Snap(coffeeTask.Result));
await Task.WhenAll(snapWaffleTask, snapCoffeeTask);
}
WhenAll
creates a task that completes when bothwaffleTask
anddownloadCameraAppTask
completes.ContinueWith
creates a task that executes asynchronously after the above task completes.
Now, you would continue with snapping a photo of the waffle after waffleTask
and downloadCameraAppTask
completes; coffeeTask
is no longer a factor in determining when downloadCameraAppTask.Result.Snap(waffleTask.Result)
is executed.
Additional Notes:
-
Result
“blocks the calling thread until the asynchronous operation is complete”. However, it doesn’t cause performance degradation in our scenario as we haveawait
-ed for the tasks to complete. Therefore,waffleTask.Result
,coffeeTask.Result
anddownloadCameraAppTask.Result
will return a value immediately. -
Related to the above, use
Result
andWait()
judiciously so that the thread does not get blocked. -
Use
WhenAny
if you want the task to complete when any of the supplied tasks have completed. -
Favor asynchronous API (
WhenAny
,WhenAll
) over synchronous API (WaitAny
,WaitAll
).
Good to Know
-
An asynchronous method can return
void
instead ofTask
, but it is not advisable to do so. -
await Task.WhenAll(snapWaffleTask, snapCoffeeTask)
can be replaced withawait snapWaffleTask; await snapCoffeeTask;
. However, there are benefits of not doing so. -
The following method
static Task<Waffle> MakeWaffleAsync() => return Task.Delay(2000).ContinueWith(_ => new Waffle());
Can also be written as an asynchronous method:
static async Task<Waffle> MakeWaffleAsync() => return await Task.Delay(2000).ContinueWith(_ => new Waffle());
Both options have their pros & cons depending on the scenario. Stephen Cleary helpfully points out that:
It’s more efficient to elide async and await… [but] these gains are absolutely minimal… [and] doesn’t make any difference to the running time of your application.
He further suggests 2 guidelines:
- Do not elide by default. Use the async and await for natural, easy-to-read code.
- Do consider eliding when the method is just a passthrough or overload.
-
The performance of .NET and UI applications can be improved by using
ConfigureAwait(false)
. There’s much complexities involved however, so do take a look at the links here and here before doing so. -
Tangential to our topic: Don’t create fake asynchronous methods by using
Task.Run
incorrectly.
Conclusion
There are other advanced topics that I didn’t cover so as to keep this article short, such as:
However, you should be able to do a whole lot of asynchronous programming with the above knowledge.