Click here to Skip to main content
15,888,454 members
Articles / Programming Languages / C#

C# Async Await Pattern Without Task. Making the Crawler-Lib Workflow Elements Awaitable

Rate me:
Please Sign up or sign in to vote.
4.00/5 (1 vote)
25 Jul 2014Public Domain1 min read 11.5K   7  
C# async await pattern without task

C# 5.0 has introduced the async / await pattern where the keyword async specifies that a method, lambda expression or anonymous method is asynchronous. In fact, it says that you can use the await keyword to await something. In case of a Task, it is the competition.

This is how await works:

C#
var result = await awaitableObject;

This code is roughly transformed in something like this:

C#
var awaiter = awaitableObject.GetAwaiter();
if( ! awaiter.IsCompleted )
{
  SAVE_STATE()
  (INotifyCompletion awaiter).OnCompleted( continuation)
  return;
}
continuation.Invoke()
... 
continuation = () =>
{
  RESTORE_STATE()
  var result = awaiter.GetResult();
}

In fact, everything can be made awaitable, even existing classes without modifying them. An object becomes awaitable when it implements a GetAwaiter() method that returns an awaiter for the class. This can be done with an extension method, so the class itself need not to be modified. The returned awaiter must implement the following things:

C#
bool IsCompleted { get; }
TResult GetResult(); // TResult can also be void
// and implement either the INotifyCompletion or ICriticalNotifyCompletion interface

So, what can we do with it without tasks?

We use it in the Crawler-Lib Framework to make our workflow elements awaitable.

C#
await new Delay(3000);
// Work after Delay

instead of providing a handler:

C#
new Delay(3000, delay => {
  // Work after Delay
});

That avoids the deeply nested delegates - and lambda expressions - in case of long sequences. The user of the framework can implement sequences very nice, readable and debugable. We will also use it for our upcoming Storage Operation Processor component, to provide a convenient war to write sequences of storage operations, that are internally queued and optimized.

License

This article, along with any associated source code and files, is licensed under A Public Domain dedication


Written By
CEO
Germany Germany
I'm a Senior Software Consultant
Thomas Maierhofer Consulting

Comments and Discussions

 
-- There are no messages in this forum --