将Task包装成Task< result >的最佳方式是什么?
本文关键字:Task 最佳 方式 是什么 result 包装 | 更新日期: 2023-09-27 17:51:15
我正在编写一些异步助手方法,我有api来支持Task
和Task<T>
。为了重用代码,我希望基于Task
的API将给定的任务包装为Task<T>
,并直接调用Task<T>
API。
我可以这样做:
private static async Task<bool> Convert(this Task @this)
{
await @this.ConfigureAwait(false);
return false;
}
然而,我在想:有没有更好的/内置的方法来做到这一点?
没有现有的Task
方法完全做到这一点,没有。你的方法很好,而且可能是你能得到的最简单的方法。
使用任何其他方法实现正确的错误传播/取消语义是非常困难的。
更新了,下面传播异常和取消:
public static class TaskExt
{
public static Task<Empty> AsGeneric(this Task @this)
{
return @this.IsCompleted ?
CompletedAsGeneric(@this) :
@this.ContinueWith<Task<Empty>>(CompletedAsGeneric,
TaskContinuationOptions.ExecuteSynchronously).Unwrap();
}
static Task<Empty> CompletedAsGeneric(Task completedTask)
{
try
{
if (completedTask.Status != TaskStatus.RanToCompletion)
// propagate exceptions
completedTask.GetAwaiter().GetResult();
// return completed task
return Task.FromResult(Empty.Value);
}
catch (OperationCanceledException ex)
{
// propagate cancellation
if (completedTask.IsCanceled)
// return cancelled task
return new Task<Empty>(() => Empty.Value, ex.CancellationToken);
throw;
}
}
}
public struct Empty
{
public static readonly Empty Value = default(Empty);
}
我最近有同样的需求,我用我自己的助手扩展方法解决了它,它允许用户有效地用Task<T>
包装Task
:
public static async Task<TResult> WithCompletionResult<TResult>(
this Task sourceTask,
TResult result
)
{
await sourceTask;
return result;
}
在您的示例中调用:
Task<bool> task = myTask.WithCompletionResult<bool>(false);
如果Task<T>
的结果无关紧要,我将使用:
Task<object> task = myTask.WithCompletionResult<object>(null);
我希望这对你有帮助。如果有人知道这种方法的陷阱,请告诉我!
在这里使用await
似乎有点过头了。这里不需要状态机,只需使用ContinueWith
private static Task<bool> Convert(this Task @this)
{
return @this.ContinueWith(p => { p.Wait(); return false;});
}
注意:这将导致AggregateException
不幸被包装