3

我在这里读到:

await检查awaitable是否已经完成;如果 awaitable 已经完成,则该方法将继续运行(同步,就像常规方法一样)。

什么 ?

当然它不会完成,因为它甚至还没有开始!

例子 :

public async Task DoSomethingAsync()
{ 
  await DoSomething();
}

这里await检查 awaitable 以查看它是否已经完成(根据文章),但它 (DoSomething)还没有事件开始!, 所以结果总是false

如果文章要说:

await 检查 awaitable 是否已经x在ms内完成 ;(暂停)

我可能在这里遗漏了一些东西..

4

2 回答 2

15

考虑这个例子:

public async Task<UserProfile> GetProfileAsync(Guid userId)
{
    // First check the cache
    UserProfile cached;
    if (profileCache.TryGetValue(userId, out cached))
    {
        return cached;
    }

    // Nope, we'll have to ask a web service to load it...
    UserProfile profile = await webService.FetchProfileAsync(userId);
    profileCache[userId] = profile;
    return profile;
}

现在想象在另一个异步方法中调用它:

public async Task<...> DoSomething(Guid userId)
{
    // First get the profile...
    UserProfile profile = await GetProfileAsync(userId);
    // Now do something more useful with it...
}

完全有可能返回的任务在GetProfileAsync方法返回时已经完成 - 因为缓存。当然,或者您可能正在等待异步方法的结果以外的其他内容。

所以不,你声称等待它时等待它不会完成的说法是不正确的。

还有其他原因。考虑这段代码:

public async Task<...> DoTwoThings()
{
    // Start both tasks...
    var firstTask = DoSomethingAsync();
    var secondTask = DoSomethingElseAsync();

    var firstResult = await firstTask;
    var secondResult = await secondTask;
    // Do something with firstResult and secondResult
}

第二个任务可能会在第一个任务之前完成 - 在这种情况下,当您等待第二个任务时,它已经完成并且您可以继续进行。

于 2013-06-29T12:24:28.520 回答
4

await可以接受任何TaskTask<T>包括已完成的任务

在您的示例中,内部DoSomething()方法(应该命名为 namedDoSomethingAsync()及其调用者DoSomethingElseAsync())返回 a Task(或 a Task<T>)。该任务可以是从其他地方获取的已完成任务,该方法不需要启动它自己的任务。

于 2013-06-29T12:17:31.540 回答