작은 배경 정보.
웹 API 스택을 배우고 있으며 Success 및 ErrorCodes와 같은 매개 변수를 사용하여 모든 결과를 “Result”개체 형식으로 캡슐화하려고합니다.
그러나 다른 방법은 다른 결과와 오류 코드를 생성하지만 결과 개체는 일반적으로 동일한 방식으로 인스턴스화됩니다.
시간을 절약하고 C #의 비동기 / 대기 기능에 대해 자세히 알아 보려면 웹 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?
}
답변
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;
}
답변
그래서 이것을 구현하는 방법은 다음과 같습니다.
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;
});
}