我正在学习 Web API 堆栈,并试图用参数(如 Success
和 ErrorCodes
)以“ Result
”对象的形式封装所有数据。
然而,不同的方法会产生不同的结果和错误代码,但是结果对象通常以相同的方式实例化。
为了节省一些时间,也为了学习更多关于 C # 中 async
/await
功能的知识,我试图将我的 web API 动作的所有方法体包装在一个异步动作委托中,但是遇到了一点小麻烦..。
public class Result
{
public bool Success { get; set; }
public List<int> ErrorCodes{ get; set; }
}
public async Task<Result> GetResultAsync()
{
return await DoSomethingAsync<Result>(result =>
{
// Do something here
result.Success = true;
if (SomethingIsTrue)
{
result.ErrorCodes.Add(404);
result.Success = false;
}
}
}
我想编写一个方法,在 Result
对象上执行一个操作并返回它。通常通过同步方法
public T DoSomethingAsync<T>(Action<T> resultBody) where T : Result, new()
{
T result = new T();
resultBody(result);
return result;
}
但是如何使用 async
/await
将该方法转换为异步方法呢?
这就是我所尝试的:
public async Task<T> DoSomethingAsync<T>(Action<T, Task> resultBody)
where T: Result, new()
{
// But I don't know what do do from here.
// What do I await?
}