Quantcast
Channel: Category Name
Viewing all articles
Browse latest Browse all 10804

Tasks, Monads, and LINQ

$
0
0

A few years back, Wes Dyer wrote a great post on monads, and more recently, Eric Lippert wrote a terrific blog series exploring monads and C#. In that series, Eric alluded to Task several times, so I thought I’d share a few related thoughts on Task and the async/await keywords.

As both Wes and Eric highlight, a monad is a triple consisting of a type, a Unit function (often called Return), and a Bind function. If the type in question is Task, what are its Unit and Bind functions?

The Unit operator takes a T and “amplifies” it into an instance of the type:

public staticM Unit(this T value);

That’s exactly what Task.FromResult does, producing a Task from a T, so our Unit method can easily be implemented as a call to FromResult:

public staticTask Unit(this T value)
{
    returnTask.FromResult(value);
}

What about Bind? The Bind operator takes the instance of our type, extracts the value from it, runs a function over that value to get a new amplified value, and returns that amplified value:

public staticM Bind(
    thisM m, FuncM
> k);

If you squint at this, and if you’ve read my previous blog post Implementing Then with Await, the structure of this declaration should look eerily like the last overload of Then discussed:

public staticTask Then(
    thisTask task, FuncTask
> continuation);

In fact, other than the symbols chosen, they’re identical, and we can implement Bind just as we implemented Then:

public static asyncTask Bind(
    thisTask m, FuncTask
> k)
{
    return await k(await m);
}

This is possible so concisely because await and async are so close in nature to the monadic operators. When you write an async function that returns Task, the compiler expects the body of the method to return a V, and it lifts (or amplifies) that V into the Task that’s returned from the method call; this is basically Unit (async, of course, also handles the creation and completion of the returned Task for the case where an exception propagates out of the body of the async method). Further, a core piece of the Bind operator is in extracting the value from the supplied instance, and that’s nicely handled by await.

In Eric’s last post on monads, he talks about some of the C# LINQ operators, and how they can easily be implemented on top of types that correctly implement a Unit and a Bind method:

staticM SelectMany(
    thisM
monad,
    Func
M
> function,
    Func projection)
{
    return monad.Bind(
        outer => function(outer).Bind(
            inner => projection(outer, inner).Unit()));
}

Sure enough, with our Bind and Unit implementations around Task, we can substitute in “Task” for “M”, and it “just works”:

staticTaskSelectMany(
    thisTaskmonad,
    Func
Task> function,
    Func projection)
{
    return monad.Bind(
        outer => function(outer).Bind(
            inner => projection(outer, inner).Unit()));
}

What does it mean here to “just work”? It means we can start writing LINQ queries using the C# query comprehension syntax with operators that rely on SelectMany, e.g.

int c = await (from first inTask.Run(() => 1)
               from second inTask.Run(() => 2)
               select first + second);
Console.WriteLine(c == 3); // will output True

Of course, we can implement SelectMany without Bind and Unit, just using async/await directly:

staticTask SelectMany(
    thisTask
task,
    Func
Task
> function,
    Func projection)
{
    A a = await task;
    B b = await function(a);
    return projection(a, b);
}

In fact, we can implement many of the LINQ query operators simply and efficiently using async/await. The C# specification section 7.16.3 lists which operators we need to implement to support all of the C# query comprehension syntax, i.e. all of the LINQ contextual keywords in C#, such as select and where. Some of these operators, like OrderBy, make little sense when dealing with singular values as we have with Task, but we can easily implement the others. This enables using most of the C# LINQ query comprehension syntax with Tasks:

public static asyncTask SelectMany(
    thisTask source, FuncTask
> selector, Func resultSelector)
{
    T t = await source;
    U u = await selector(t);
    return resultSelector(t, u);
}

public static asyncTask Select(
    thisTask source, Func selector)
{
    T t = await source;
    return selector(t);
}

public static asyncTask Where(
    thisTask source, Funcbool
> predicate)
{
    T t = await source;
    if (!predicate(t)) throw newOperationCanceledException();
    return t;
}

public static asyncTask Join(
    thisTask source, Task inner,
    Func outerKeySelector, Func innerKeySelector,
    Func resultSelector)
{
    awaitTask.WhenAll(source, inner);
    if (!EqualityComparer.Default.Equals(
        outerKeySelector(source.Result), innerKeySelector(inner.Result)))
            throw newOperationCanceledException();
    return resultSelector(source.Result, inner.Result);
}

public static asyncTask GroupJoin(
    thisTask source, Task inner,
    Func outerKeySelector, Func innerKeySelector,
    FuncTask, V> resultSelector)
{
    awaitTask.WhenAll(source, inner);
    if (!EqualityComparer.Default.Equals(
        outerKeySelector(source.Result), innerKeySelector(inner.Result)))
            throw newOperationCanceledException();
    return resultSelector(source.Result, inner);
}

public static asyncTask Cast(thisTask source)
{
    await source;
    return (T)((dynamic)source).Result;
}

Interestingly, Task already has the members necessary to be considered “comonadic.” As Brian Beckman discusses here, a comonad is the dual of a monad, a triple consisting of the type and two operators: Extract (the flip of Unit/Return) and Extend (the flip of Bind). Here I’ve taken a few liberties with the signatures from what Brian outlines, such as swapping the order of some of the parameters:

public T Extract(thisW self);
publicW Extend(thisW self, Func<W, U> func);

Task already supports Extract, it’s just called Result:

public T Result;

And it already supports Extend, it’s just called ContinueWith:

publicTask ContinueWith(
    Func<Task, TNewResult> func);

(In truth, to correctly implement all of the comonadic laws Brian outlines, we’d likely want to tweak both of these with a thin layer of additional code to modify some corner cases around exceptions and cancellation, due to how Result propagates exceptions wrapped in AggregateException and how ContinueWith tries to match thrown OperationCanceledExceptions against the CancellationToken supplied to ContinueWith. But the basic idea stands.)

Most of the posts I write on this blog are about practical things. So, is any of this really useful in everyday coding with Tasks and async/await? Would you actually want to implement and use the LINQ surface area directly for Tasks? Eh, probably not. But it’s a fun to see how all of these things relate.


Viewing all articles
Browse latest Browse all 10804

Trending Articles



<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>