Since C# 8, developers can use IAsyncEnumerable
to asynchronously iterate over a
collection. However, I found out recently through hours of blood and tears that combining asynchronous iteration with
lock
can lead to unexpected and dangerous behavior. In this post, we will explore one of the reasons why using
yield return
inside a lock
statement is problematic.
Problem
Consider the following minimal example, where a producer-consumer pattern is implemented using a queue and protected by a lock:
using System;
using System.Collections.Generic;
using System.Threading.Tasks;
class Program
{
private static readonly Queue<int> _pq = new();
private static readonly object _lock = new object();
static async Task Main()
{
var producerTask = Task.Run(async () =>
{
while (true)
{
lock (_lock)
{
Console.WriteLine("Enqueueing on thread {0}", Environment.CurrentManagedThreadId);
_pq.Enqueue(1);
}
await Task.Delay(50);
}
});
var consumerTask = Task.Run(async () =>
{
try
{
await foreach (var item in DequeueWithYield())
{
Console.WriteLine($"Processing item: {item} on thread {Environment.CurrentManagedThreadId}");
}
}
catch (Exception ex)
{
Console.WriteLine(ex); // 5
}
});
await Task.WhenAll(producerTask, consumerTask);
}
static async IAsyncEnumerable<int> DequeueWithYield()
{
while (true)
{
Console.WriteLine($"Before yield {Environment.CurrentManagedThreadId}"); // 1
await Task.Yield();
Console.WriteLine($"After yield {Environment.CurrentManagedThreadId}"); // 2
lock (_lock)
{
Console.WriteLine($"Before dequeuing on thread {Environment.CurrentManagedThreadId}"); // 3
yield return _pq.TryDequeue(out var value) ? value : 0;
Console.WriteLine($"After dequeuing on thread {Environment.CurrentManagedThreadId}"); // 4
}
}
}
}
What Happens Here:
- Producer Task: Enqueues an item into _pq every 50ms inside a lock.
- Consumer Task: Uses an
async IAsyncEnumerable<int>
method (DequeueWithYield
) to dequeue items. - Inside DequeueWithYield:
- It calls
await Task.Yield()
before acquiring the lock which effectively returns the control back to the Task scheduler, allowing other tasks to run before running the continuation, which can possibly run in another thread.Task.Yield
(or anyasync
method that will yield) is absolutely necessary for this contrived experiment.
- It calls
Danger: Synchronization Lock Exception
- The continuation after
await Task.Yield()
is not guaranteed to run on the same thread since there is noSynchronizationContext
(i.e.null
) by default. Therefore, it’s possible thatPoint 1
andPoint 2
will run on different threads, let’s denote this asX
andY
.Point 2
andPoint 3
will definitely run in the same thread since they are run synchronously. - Now the magic comes after
Point 3
. Since the consumer task is awaiting fromIAsyncEnumerable
usingawait foreach
syntax, which is almost equivalent tovar e = DequeueWithYield(); while (await e.MoveNextAsync()) { var curr = e.Current; ... };
. This can be verified by looking at low-level IL C# using Rider decompiler. - Initially, the first iteration of
e.MoveNextAsync()
will try to retrieve the first value, running at threadX
. Note that just because we are calling anasync
method, doesn’t mean it automatically will run the method asynchronously. The method needs to explicitlyyield
to release the control back to the original caller, which is why we absolutely needTask.Yield()
, without it, this error won’t be observed. - Since the continuation of
Task.Yield()
possibly runs on threadY
, acquiring thelock
and yielding the first value from the queue and then eventually blocks until the caller callsMoveNextAsync
again. - But the problem is the original caller still runs on thread
X
, and eventually after the first loop will callMoveNextAsync
again to get the second value, but the caller runs on threadX
and it will cause point 4 to run on threadX
, and eventually causing threadX
to be the one releasing thelock
. - Since
lock
in C# can only be acquired and released by the same thread, it will throwSystem.Threading.SynchronizationLockException: Object synchronization method was called from an unsynchronized block of code
.
The Correct Approach
static async IAsyncEnumerable<int> DequeueSafely()
{
while (true)
{
int item;
lock (_lock)
{
item = _pq.TryDequeue(out var value) ? value : 0;
}
yield return item; // Outside the lock
await Task.Yield();
}
}
Do not call yield return
or fancy magic method calls within a lock
block. Always minimize the critical section
and perform the fancy stuffs after exiting the lock.
Conclusion
Yielding while holding a lock is problematic in general case. For example, in Linux, it can lead to Priority Inversion
and Deadlock Potential. In C# and in the context of single lock usage, yielding inside a lock
might not be problematic
until concurrency hits you hard and this can lead to hours of hell to debug this nasty concurrency bug. So please, do
not yield return
within a lock
block!