如何使用HttpClient.当URL在人工超时后响应时,PostAsync是异步的
本文关键字:响应 PostAsync 异步 超时 HttpClient 何使用 URL | 更新日期: 2023-09-27 18:12:12
HttpClient。PostAsync用于将HTTP请求发送到url,这些url有一个人工的时间来发送响应。
请注意URL和参数sleep=30,该参数用于在发送回HTTP响应之前引入30秒的人为延迟。
Console.WriteLine("Start time : " + DateTime.Now);
for (int i = 1; i <= 10; i++)
{
using (var client = new HttpClient())
{
client.BaseAddress = new Uri(@"http://fake-response.appspot.com/api/?data={Hello World}&sleep=30");
//client.BaseAddress = new Uri(@"http://fake-response.appspot.com/api/?data={Hello World}&status=200");
client.Timeout = new TimeSpan(0, 0, 60);
var parameters = new Dictionary<string, string>();
parameters["ContentType"] = "text/plain;charset=UTF-8";
//Create Task to POST to the URL
client.DefaultRequestHeaders.ExpectContinue = true;
var response = await client.PostAsync(client.BaseAddress, new FormUrlEncodedContent(parameters));
Task<bool> b1 = ProcessURLAsync(response, 1, 5, 2);
}
}
Console.WriteLine("End time : " + DateTime.Now);
需要做的是异步HTTP post需要在一个循环中进行,不应该依赖于URL中指定的超时。但是,在收到响应之前,PostAsync会超时。
请检查在10个异步post的循环中发布2个不同的url所需的时间
我检查了HttpClient.DefaultRequestHeaders.ExpectContinue,但我不认为这可能对这个用例有帮助。
从客户端的角度来看,这种人为延迟与网络超时没有什么不同。因此,您应该将client.Timeout
设置为最大预期人工延迟+实际网络超时时间。如果你不想阻塞等待响应-就不要从PostAsync返回await
任务。你可以将所有这些任务存储在某个列表中,并等待它们全部用await Task.WhenAll(yourTaskList)
完成。或者您可以使用ContinueWith
在给定的任务完成时执行特定的操作。然而,如果你关心响应——你必须设置足够大的超时,否则请求将过早终止。
这里有一些示例代码来帮助你
static async void MakeRequests()
{
var requests = new List<Task<bool>>();
for (int i = 1; i <= 10; i++)
{
// no await here, so, not await MakeRequest(i);
requests.Add(MakeRequest(i));
}
// now all 10 requests are running in parallel
try {
await Task.WhenAll(requests);
}
catch {
// no need to handle it here - we handle all errors below
}
// if we are here, all requests are either completed or failed, inspect their results
foreach (var request in requests) {
if (request.IsCanceled) {
// failed by timeout
}
else if (request.IsFaulted) {
// failed
Log(request.Exception);
}
else {
// success
bool result = request.Result;
// handle your result here if needed
}
}
}
static async Task<bool> MakeRequest(int i) {
using (var client = new HttpClient()) {
client.BaseAddress = new Uri(@"http://fake-response.appspot.com/api/?data={Hello World}&sleep=30");
//client.BaseAddress = new Uri(@"http://fake-response.appspot.com/api/?data={Hello World}&status=200");
// no timeout here, or set to max expected delay
//client.Timeout = new TimeSpan(0, 0, 60);
var parameters = new Dictionary<string, string>();
parameters["ContentType"] = "text/plain;charset=UTF-8";
//Create Task to POST to the URL
client.DefaultRequestHeaders.ExpectContinue = true;
var response = await client.PostAsync(client.BaseAddress, new FormUrlEncodedContent(parameters));
Task<bool> b1 = ProcessURLAsync(response, 1, 5, 2);
return b1;
}
}
但是,在收到响应之前,PostAsync超时。
此方法超时,因为您将HttpClient.Timeout
属性设置为10秒。如果未收到响应,设置此属性将指示客户端在指定时间后超时。