如何实现异步操作委托方法?

时间:2013-12-17 02:09:04

标签: c# asynchronous asp.net-web-api async-await c#-5.0

一些背景信息。

我正在学习Web API堆栈,我正在尝试使用Success和ErrorCodes等参数以“Result”对象的形式封装所有数据。

然而,不同的方法会产生不同的结果和错误代码,但结果对象通常会以相同的方式实例化。

为了节省一些时间并且还要了解有关C#中的异步/等待功能的更多信息,我试图将我的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?
}

2 个答案:

答案 0 :(得分:235)

async等效Action<T>Func<T, Task>,所以我相信这就是您所需要的:

public async Task<T> DoSomethingAsync<T>(Func<T, Task> resultBody)
    where T : Result, new()
{
  T result = new T();
  await resultBody(result);
  return result;
}

答案 1 :(得分:-11)

所以我相信实现这个的方法是:

public Task<T> DoSomethingAsync<T>(Action<T> resultBody) where T : Result, new()
{
    return Task<T>.Factory.StartNew(() =>
    {
        T result = new T();
        resultBody(result);
        return result;
    });
}