我的方法是调用Web服务并异步工作。
获得回复时,一切正常,我得到了回复。
当我需要返回此响应时,问题就开始了。
这是我方法的代码:
public async Task<string> sendWithHttpClient(string requestUrl, string json)
{
try
{
Uri requestUri = new Uri(requestUrl);
using (var client = new HttpClient())
{
client.DefaultRequestHeaders.Clear();
...//adding things to header and creating requestcontent
var response = await client.PostAsync(requestUri, requestContent);
if (response.IsSuccessStatusCode)
{
Debug.WriteLine("Success");
HttpContent stream = response.Content;
//Task<string> data = stream.ReadAsStringAsync();
var data = await stream.ReadAsStringAsync();
Debug.WriteLine("data len: " + data.Length);
Debug.WriteLine("data: " + data);
return data;
}
else
{
Debug.WriteLine("Unsuccessful!");
Debug.WriteLine("response.StatusCode: " + response.StatusCode);
Debug.WriteLine("response.ReasonPhrase: " + response.ReasonPhrase);
HttpContent stream = response.Content;
var data = await stream.ReadAsStringAsync();
return data;
}
}
}
catch (Exception ex)
{
Debug.WriteLine("ex: " + ex.Message);
return null;
}
我这样称呼它:
Task <string> result = wsUtils.sendWithHttpClient(fullReq, "");
Debug.WriteLine("result:: " + result);
但是在打印结果时我会看到类似这样的内容:System.Threading.Tasks.Task
如何获取结果字符串,就像我在方法中使用 data 一样。
答案 0 :(得分:13)
您需要执行此操作,因为您同时调用async
方法 :
Task<string> result = wsUtils.sendWithHttpClient(fullReq, "");
Debug.WriteLine("result:: " + result.Result); // Call the Result
将Task<string>
返回类型视为&#39;承诺&#39;在将来返回一个值。
如果您异步调用异步方法,那么它将如下所示:
string result = await wsUtils.sendWithHttpClient(fullReq, "");
Debug.WriteLine("result:: " + result);
答案 1 :(得分:6)
异步方法返回任务,表示 future value 。为了获得包含在该任务中的实际值,您应await
:
string result = await wsUtils.sendWithHttpClient(fullReq, "");
Debug.WriteLine("result:: " + result);
请注意,这将要求您的调用方法是异步的。这既自然又正确。