Recently Jon Skeet at NDC London spoke about C# 5 async/await and presented the idea of \"ordering by completion\" a list of async tasks. A link http:/
Parallel.ForEach(myCollection, async item =>
This is almost certainly not what you want. The delegate has type Action<T>
, and so the anonymous method is an async void
method. That means it gets launched, and you have no way of checking its status other than by checking for any of its side effects. In particular, if anything goes wrong, you cannot catch and handle the exception.
Assuming nothing goes wrong, though, results will be added to bag
as they complete. Until anything completes, bag
will be empty.
In contrast, OrderByCompletion
returns an IEnumerable<Task<T>>
that immediately contains all not-yet-finished tasks. You could await
the fifth element and continue when any five tasks have completed. This might be useful when, for example, you want to run a large number of tasks and periodically update a form to show the progress.
The third option you gave, ForEachAsync
, would behave like ForEach
, except it would do it right, without the problems mentioned above.
Don't use Parallel.ForEach
to execute async
code. Parallel.ForEach
doesn't understand async
, so your lambda will be turned into async void
, which won't work correctly (Parallel.ForEach
will return before all work is done; exceptions won't be handled properly; possibly other issues).
Use something like ForEachAsync()
when you have a collection of objects (not Task
s), you want to perform some async
action for each of them and the actions should execute in parallel.
Use OrderByCompletion()
when you have a collection of Task
s, you want perform some action (asynchronous or not) for the result of each Task
, the actions should not execute in parallel and you want to execute the actions based on the order in which the Task
s complete.