RestSharp异步

时间:2018-08-28 19:07:00

标签: c# asynchronous restsharp

我正在尝试使用resharp执行异步请求,但是“响应”始终为空,为什么?

private IRestResponse response;
public IRestResponse POSTAsync(string url) {
 IRestResponse response = null;

 client.ExecuteAsync(new RestRequest(url, Method.POST), (r) => {
  if (r.StatusCode == HttpStatusCode.OK)
  response = r;
 });

 return response;
}

1 个答案:

答案 0 :(得分:0)

从我的角度来看,响应将始终为null,因为您正在调用异步服务,而没有等待事务结束。

private IRestResponse response;
public IRestResponse POSTAsync(string url) {
 IRestResponse response = null;

 client.ExecuteAsync(new RestRequest(url, Method.POST), (r) => {
  if (r.StatusCode == HttpStatusCode.OK) // This is going to a new thread and will be executing later
  response = r;                          // eventually this will be called, but your method did not wait for that completition
 });

 return response; // Response will always be null because the Async method is not
                  // finished yet
}

因此,如果周围的代码不支持异步方法,则不应尝试使用异步方法,因为最后,您将需要阻塞方法以等待结果。

这就是创建async关键字的原因,您还需要使所有依赖于调用的调用也异步,并且这就是控制器现在支持async和返回任务的原因类型(以现代Net Core应用为例)

[HttpGet("{msisdn}")]
public Task<string> Get(string msisdn)
{
    return _hubUserProfileService.CallProfileService(msisdn);
}

因此,更新您的应用程序,使您的整个请求说的是异步的,或者只是不使用它,因为它没有为您的代码带来任何负担,现在它变得更加沉重,因为它必须创建调用该方法的任务在其他线程中...而调用方法无论如何都必须等待响应。

要澄清:

调用异步方法并不是魔术,您希望在另一个线程中执行该请求,但是,在创建该线程后,您立即跳到可用的结果,而这不是异步执行的工作原理,您的回调将在将来的某个地方执行,您不知道何时,这就是为什么需要回调方法的原因,该方法将仅创建任务并继续执行,但是任务尚未执行,变量仍然为null,您可以在返回响应之前添加Thread.Sleep()来验证我的意思,这样您就可以给异步回调腾出时间,这就是为什么使其异步化并没有给您带来任何新的东西。