/// <summary>
/// Delegate for executing an asynchronous request.
/// </summary>
public delegate void ExecuteRequestDelegate<T>(LazyResult<T> response);
public void FetchAsync([Optional] ExecuteRequestDelegate<TResponse> methodToCall)
{
GetAsyncResponse(
(IAsyncRequestResult state) =>
{
var result = new LazyResult<TResponse>(() =>
{
// Retrieve and convert the response.
IResponse response = state.GetResponse();
return FetchObject(response);
});
// Only invoke the method if it was set.
if (methodToCall != null)
{
methodToCall(result);
}
else
{
result.GetResult();
}
});
}
我想立即致电FetchAsync
,但我不知道如何
service.Userinfo.Get().FetchAsync(new ExecuteRequestDelegate<Userinfo>() {...});
我得知ExecuteRequestDelegate不包含带0个参数的构造函数。
我该怎么办?我想获得Userinfo
数据?
答案 0 :(得分:2)
FetchAsync
的参数是一种方法,它接受LazyResult
作为唯一参数并返回void
。这与回调的一般模式一致&#34;方法,这是编写异步方法的一种方法。为了异步,这个方法会在被调用后立即返回,当它逻辑上代表实际的操作完成时,它将调用你的回调方法,将异步操作的结果作为参数传入回调。
虽然您可以写出一个命名方法来处理这种情况,但在这里使用lambda通常是合适的:
service.Userinfo.Get().FetchAsync(
lazyResult => Console.WriteLine(lazyResult.Result));
如果您的代码不止一行,那么值得花些时间使用命名方法:
public void ProcessResult(LazyResult<Userinfo> result)
{
//Do stuff
}
service.Userinfo.Get().FetchAsync(ProcessResult);