等待任务。延迟()对任务。延迟()。等待()

在 C # 中,我有以下两个简单的例子:

[Test]
public void TestWait()
{
var t = Task.Factory.StartNew(() =>
{
Console.WriteLine("Start");
Task.Delay(5000).Wait();
Console.WriteLine("Done");
});
t.Wait();
Console.WriteLine("All done");
}


[Test]
public void TestAwait()
{
var t = Task.Factory.StartNew(async () =>
{
Console.WriteLine("Start");
await Task.Delay(5000);
Console.WriteLine("Done");
});
t.Wait();
Console.WriteLine("All done");
}

第一个示例创建一个打印“ Start”的任务,等待5秒钟打印“ Done”,然后结束该任务。我等待任务完成,然后打印“所有完成”。当我运行测试时,它会按照预期的方式运行。

第二个测试应该具有相同的行为,但是由于使用了异步和等待,Task 内部的等待应该是非阻塞的。但是这个测试只是打印“开始”,然后立即“完成”和“完成”永远不会打印。

我不知道为什么我会有这样的行为: S 任何帮助都将是非常感激的:)

138977 次浏览

第二个测试有两个嵌套任务,您正在等待最外面的一个,要修复这个问题,您必须使用 t.Result.Wait()t.Result获得内部任务。

第二种方法大致相当于:

public void TestAwait()
{
var t = Task.Factory.StartNew(() =>
{
Console.WriteLine("Start");
return Task.Factory.StartNew(() =>
{
Task.Delay(5000).Wait(); Console.WriteLine("Done");
});
});
t.Wait();
Console.WriteLine("All done");
}

通过调用 t.Wait(),您正在等待立即返回的最外层任务。


处理这种情况的最终“正确”方法是完全放弃使用 Wait,只使用 await。将 UI 附加到异步代码后,Wait可能导致 僵局问题

    [Test]
public async Task TestCorrect() //note the return type of Task. This is required to get the async test 'waitable' by the framework
{
await Task.Factory.StartNew(async () =>
{
Console.WriteLine("Start");
await Task.Delay(5000);
Console.WriteLine("Done");
}).Unwrap(); //Note the call to Unwrap. This automatically attempts to find the most Inner `Task` in the return type.
Console.WriteLine("All done");
}

更好的方法是使用 Task.Run启动异步操作:

    [TestMethod]
public async Task TestCorrect()
{
await Task.Run(async () => //Task.Run automatically unwraps nested Task types!
{
Console.WriteLine("Start");
await Task.Delay(5000);
Console.WriteLine("Done");
});
Console.WriteLine("All done");
}