我正在实现一个使用HttpClient对外部服务进行API调用的服务。特别是其中一个呼叫,并不总是返回预期的相同答案。按惯例:
这是我的决定:
using (HttpClientHandler handler = new HttpClientHandler { Credentials = new NetworkCredential(key, "") })
using (HttpClient client = new HttpClient(handler))
{
client.Timeout = TimeSpan.FromMilliseconds(Timeout.Infinite);
HttpRequestMessage request = new HttpRequestMessage(HttpMethod.Get, url);
using (HttpResponseMessage response = await client.SendAsync(request, HttpCompletionOption.ResponseHeadersRead))
{
using (Stream body = await response.Content.ReadAsStreamAsync())
{
using (StreamReader reader = new StreamReader(body))
{
string read = string.Empty;
while (!reader.EndOfStream)
{
read += reader.ReadLine();
}
return JsonObject.Parse(read);
}
}
}这是被截取的响应主体对象:
{
"id" : 15,
"key" : "API_KEY",
"status" : "successful",
"sandbox" : true,
"created_at" : "2013-10-27T13:41:00Z",
"finished_at" : "2013-10-27T13:41:13Z",
"source_file" : {"id":2,"name":"testfile.pdf","size":90571},
"target_files" : [{"id":3,"name":"testfile.pptx","size":15311}],
"target_format" : "png",
"credit_cost" : 1
}其中,status参数为successful,target_files参数为array of objects。
然而,有时候,答案基本上是说它还没有完成转换(这个API是一个文件转换服务),使用这种类型的主体:
{
"id" : 15,
"key" : "API_KEY",
"status" : "converting",
"sandbox" : true,
"created_at" : "2013-10-27T13:41:00Z",
"finished_at" : "2013-10-27T13:41:13Z",
"source_file" : {"id":2,"name":"testfile.pdf","size":90571},
"target_files" : [{}],
"target_format" : "png",
"credit_cost" : 0
}其中,status参数为converting,而target_files参数为空。
有一种方法可以管理调用,以返回响应的对象,但只在status参数为successfull时才返回?谢谢
发布于 2021-04-12 07:18:36
按照建议,解决轮询请求:(客户端在作用域级别实例化)
for (int attempt = 0; attempt < maxAttempts; attempt++)
{
using (HttpRequestMessage request = new HttpRequestMessage(HttpMethod.Get, url))
{
TimeSpan delay = default;
using (HttpResponseMessage response = await _client.SendAsync(request, HttpCompletionOption.ResponseHeadersRead).ConfigureAwait(false))
{
if (response.IsSuccessStatusCode)
{
using (HttpContent content = response.Content)
{
string data = await content.ReadAsStringAsync().ConfigureAwait(false);
JsonValue value = JsonObject.Parse(data);
JsonValue status = value["status"] ?? string.Empty;
string statusString = status != null ? (string)status : string.Empty;
if (!string.IsNullOrEmpty(status) && statusString.Equals("successful", StringComparison.InvariantCultureIgnoreCase))
return value;
}
}
delay = response.Headers.RetryAfter?.Delta ?? TimeSpan.FromSeconds(3);
}
await Task.Delay(delay);
}
}发布于 2021-04-09 15:35:31
有些apis使用wait=1参数或类似的东西等待。否则,您将不得不投票(可能是一个不同的url)。
详细信息可以从API文档中获得。
https://stackoverflow.com/questions/67023838
复制相似问题