如果我等待我正在执行ReadAsStringAsync()
的回复,我是否等待 ReadAsStringAsync()
?为了进一步澄清,下列之间有什么不同或正确的方法?它们实际上是一样的吗?
var response = await httpClient.GetAsync("something");
var content = await response.Content.ReadAsStringAsync();
return new AvailableViewingTimesMapper().Map(content);
OR
var response = await httpClient.GetAsync("something");
var content = response.Content.ReadAsStringAsync();
return new AvailableViewingTimesMapper().Map(content.Result);
答案 0 :(得分:19)
你的第一个例子是正确的。第二个示例在异步操作期间不会产生。相反,通过获取content.Result
属性的值,可以强制当前线程等待异步操作完成。
另外,正如评论者Scott Chamberlain指出的那样,通过阻止当前线程,你可能会引入死锁的可能性。这取决于上下文,但await
的一个常见场景是在UI线程中使用该语句,并且UI线程需要保持响应以满足各种需求,但包括能够实际处理完成等待的行动。
如果你避免使用第二种模式,即从Result
检索Task
属性的值,你不知道它已经完成,你不仅可以确保有效地使用你的线程,你可以还要确保防止这种常见的死锁陷阱。
答案 1 :(得分:9)
ReadAsString
是async
方法的原因是,实际读取数据的是IO操作。即使您已经拥有http结果,内容也可能无法完全加载。没有其他线程或涉及大量计算。
HttpClient.GetAsync
允许您添加HttpCompletionOption
,只有在加载了整个GetAsync
后才能返回HttpResult
。在这种情况下,HttpContent.ReadAsStringAsync
将同步完成(所谓的快速路径),因为内容已经存在。
所以你绝对应该等待它。
另外:由于这可能是不依赖于UI线程返回的库代码,因此您应该将.ConfigureAwait(false)
添加到所有等待的方法调用中。
答案 2 :(得分:6)
以下是 ReadAsStringAsync 的.NET源代码。 如果你深入研究 LoadIntoBufferAsync ()方法,你会发现这将继续从HttpResponse读取缓冲区并导致潜在的进一步网络调用。这意味着使用等待而不是结果是一种好习惯。
[__DynamicallyInvokable]
public Task<string> ReadAsStringAsync()
{
this.CheckDisposed();
TaskCompletionSource<string> tcs = new TaskCompletionSource<string>();
HttpUtilities.ContinueWithStandard(this.LoadIntoBufferAsync(), (Action<Task>) (task =>
{
if (HttpUtilities.HandleFaultsAndCancelation<string>(task, tcs))
return;
if (this.bufferedContent.Length == 0L)
{
tcs.TrySetResult(string.Empty);
}
else
{
Encoding encoding1 = (Encoding) null;
int index = -1;
byte[] buffer = this.bufferedContent.GetBuffer();
int dataLength = (int) this.bufferedContent.Length;
if (this.Headers.ContentType != null)
{
if (this.Headers.ContentType.CharSet != null)
{
try
{
encoding1 = Encoding.GetEncoding(this.Headers.ContentType.CharSet);
}
catch (ArgumentException ex)
{
tcs.TrySetException((Exception) new InvalidOperationException(SR.net_http_content_invalid_charset, (Exception) ex));
return;
}
}
}
if (encoding1 == null)
{
foreach (Encoding encoding2 in HttpContent.EncodingsWithBom)
{
byte[] preamble = encoding2.GetPreamble();
if (HttpContent.ByteArrayHasPrefix(buffer, dataLength, preamble))
{
encoding1 = encoding2;
index = preamble.Length;
break;
}
}
}
Encoding encoding3 = encoding1 ?? HttpContent.DefaultStringEncoding;
if (index == -1)
{
byte[] preamble = encoding3.GetPreamble();
index = !HttpContent.ByteArrayHasPrefix(buffer, dataLength, preamble) ? 0 : preamble.Length;
}
try
{
tcs.TrySetResult(encoding3.GetString(buffer, index, dataLength - index));
}
catch (Exception ex)
{
tcs.TrySetException(ex);
}
}
}));
return tcs.Task;
}