等待Task.Delay()与Task.Delay()。等待()

时间:2014-11-07 10:13:00

标签: c# asynchronous task wait async-await

在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");
}

第一个示例创建一个任务,打印"开始",等待5秒打印"完成"然后结束任务。我等待任务完成然后打印"全部完成"。当我运行测试时,它按预期进行。

第二个测试应该具有相同的行为,除了由于使用async和await而在Task内部等待应该是非阻塞的。但这个测试只是打印"开始"然后立即"全部完成"和"完成"从未打印过。

我不知道为什么会出现这种行为:S非常感谢任何帮助:)

1 个答案:

答案 0 :(得分:39)

第二个测试有两个嵌套任务,你正在等待最外层的任务,为了解决这个问题你必须使用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会导致deadlock issues

    [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");
    }