与之前《C# 死锁 TaskCompletionSource》类似,还有很多死锁的案例
使用Task异步转同步时,使用不当造成的死锁
private void Task_OnClick(object sender, RoutedEventArgs e)
{
AwaitUsingTask(TestAsync());
Debug.WriteLine("Task_OnClick end");
}
private void AwaitUsingTask(Task task)
{
task.Wait();
//task.Result;
}
TestAsync:
1 private static async Task TestAsync()
2 {
3 Debug.WriteLine("异步任务start……");
4 await Task.Delay(2000);
5 Debug.WriteLine("异步任务end……");
6 }
使用AutoResetEvent不当,造成的死锁
private void AwaitAutoResetEvent_OnClick(object sender, RoutedEventArgs e)
{
AwaitUsingAutoResetEvent(TestAsync());
Debug.WriteLine("AwaitAutoResetEvent_OnClick end");
} public void AwaitUsingAutoResetEvent(Task task)
{
AutoResetEvent autoResetEvent = new AutoResetEvent(false); task.ContinueWith(t =>
{
autoResetEvent.Set();
});
autoResetEvent.WaitOne();
}
或者以终止状态=true为参数的AutoResetEvent,也是会死锁的,如下:
private int index = ;
private async void AwaitAutoResetEvent_OnClick(object sender, RoutedEventArgs e)
{
await AwaitUsingAutoResetEvent(index++);
}
AutoResetEvent autoResetEvent = new AutoResetEvent(true);
public async Task AwaitUsingAutoResetEvent(int ind)
{
autoResetEvent.WaitOne();
Debug.WriteLine($"Task.Delay(3000) start{ind}");
await Task.Delay();
Debug.WriteLine($"Task.Delay(3000) end{ind}");
autoResetEvent.Set();
}
上面的案例,2次重入,就会暴露死锁的问题了(因为首次是终止的,第二次才会wait)。
那么如何解决?autoResetEvent.WaitOne();放在异步任务中等待即可
当然此方案会多产生一个task(有性能问题),详见AutoResetEvent的正确用法:C# 同步转异步 AutoResetEvent
以上死锁的原因:
- 主执行线程调用子线程后挂起等待子线程结果
- 子线程又需要切换到主线程或者等待主线程返回
- 从而导致两个线程均处在阻塞状态(死锁)
如何避免:
如果已经使用了Async/Await,那尽量不要再使用Task.Wait()/Task.Result,让上下游的方法全部改为Async/Await原则
参考资料: