我有一个异步方法返回没有数据:
public async Task MyAsyncMethod()
{
// do some stuff async, don't return any data
}
我从另一个返回一些数据的方法调用这个:
public string GetStringData()
{
MyAsyncMethod(); // this generates a warning and swallows exceptions
return "hello world";
}
在visual studio中调用MyAsyncMethod()而不等待它会导致“因为此调用未被等待,当前方法在调用完成之前继续运行”警告。在警告页面上,它写道:
只有在确定不希望等待异步调用完成并且被调用的方法不会引发任何异常时,才应该考虑取消警告。
我确定我不想等待调用完成;我不需要,也没有时间。但这种呼吁可能会引发例外。
我遇到过几次这个问题,我相信这是一个普遍的问题,必须有一个共同的解决方案。
我如何安全地调用异步方法而不等待结果?
更新:
对于那些建议我只是等待结果的人,这是对我们的web服务(ASP。NET Web API)。在UI上下文中等待保持UI线程空闲,但在web请求调用中等待任务完成后才响应请求,因此毫无理由地增加响应时间。
我来晚了,但有一个很棒的库,我一直在使用,我没有看到在其他答案中引用
https://github.com/brminnick/AsyncAwaitBestPractices
如果需要“Fire And Forget”,则调用任务上的扩展方法。
将onException动作传递给调用可以确保两全其——不需要等待执行并降低用户速度,同时保留以优雅的方式处理异常的能力。
在你的例子中,你可以这样使用它:
public string GetStringData()
{
MyAsyncMethod().SafeFireAndForget(onException: (exception) =>
{
//DO STUFF WITH THE EXCEPTION
});
return "hello world";
}
它还提供了可等待的AsyncCommands实现ICommand开箱即用,这是伟大的我的MVVM Xamarin解决方案
通常异步方法返回Task类。如果您使用Wait()方法或Result属性,并且代码抛出异常—异常类型被封装为AggregateException—那么您需要查询exception。定位正确的异常。
但也可以使用.GetAwaiter().GetResult()代替-
它也将等待异步任务,但不会包装异常。
这里有一个简短的例子:
public async Task MyMethodAsync()
{
}
public string GetStringData()
{
MyMethodAsync().GetAwaiter().GetResult();
return "test";
}
你可能还想从async函数中返回一些参数——这可以通过在async函数中提供额外的Action<return type>来实现,例如:
public string GetStringData()
{
return MyMethodWithReturnParameterAsync().GetAwaiter().GetResult();
}
public async Task<String> MyMethodWithReturnParameterAsync()
{
return "test";
}
请注意,异步方法通常使用async后缀命名,只是为了能够避免同名同步函数之间的冲突。(例如FileStream.ReadAsync) -我已经更新了函数名来遵循这个建议。
Peter Ritchie的答案就是我想要的,还有Stephen Cleary关于ASP早期回归的文章。NET非常有用。
然而,作为一个更普遍的问题(不特定于ASP。NET上下文)下面的控制台应用程序使用Task.ContinueWith(…)演示了Peter的答案的用法和行为
static void Main(string[] args)
{
try
{
// output "hello world" as method returns early
Console.WriteLine(GetStringData());
}
catch
{
// Exception is NOT caught here
}
Console.ReadLine();
}
public static string GetStringData()
{
MyAsyncMethod().ContinueWith(OnMyAsyncMethodFailed, TaskContinuationOptions.OnlyOnFaulted);
return "hello world";
}
public static async Task MyAsyncMethod()
{
await Task.Run(() => { throw new Exception("thrown on background thread"); });
}
public static void OnMyAsyncMethodFailed(Task task)
{
Exception ex = task.Exception;
// Deal with exceptions here however you want
}
GetStringData()在不等待MyAsyncMethod()的情况下提前返回,在MyAsyncMethod()中抛出的异常在OnMyAsyncMethodFailed(Task任务)中处理,而不是在GetStringData()周围的try/catch中处理