我有一个通用方法SendHttpRequest<TRequest, TResponse>
,它接受请求类型和响应类型作为其通用参数输入。 response-type可以是布尔值,也可以是表示响应的类。
如果方法内的HTTP请求成功且true
为TResponse
,我的任务是返回bool
。如果TResponse
的类型不同,我需要将响应内容反序列化为TResponse
对象。返回true
会生成编译时错误。有没有办法让一个方法同时支持布尔和非布尔返回类型?
private async Task<TResponse> SendHttpRequest<TRequest, TResponse>(TRequest request)
{
using (var client = new HttpClient())
{
client.BaseAddress = "http://example.com/";
var response = await client.PostAsJsonAsync("api_path", request).ConfigureAwait(false);
if (!response.IsSuccessStatusCode)
{
throw new MyException(response);
}
if (typeof (TResponse) == typeof (bool))
{
return true; // Generates compile-time error
}
else
{
var content = await response.Content.ReadAsStringAsync().ConfigureAwait(false);
return JsonConvert.DeserializeObject<TResponse>(content);
}
}
}
答案 0 :(得分:2)
我想你已经明白这是一个糟糕的设计,但如果你真的想让它完全像这样,你就可以做到:
private async Task<TResponse> SendHttpRequest<TRequest, TResponse>(TRequest request)
{
using (var client = new HttpClient())
{
client.BaseAddress = "http://example.com/";
var response = await client.PostAsJsonAsync("api_path", request).ConfigureAwait(false);
if (!response.IsSuccessStatusCode)
{
throw new MyException(response);
}
if (typeof (TResponse) == typeof (bool))
{
return (TResponse)(object)true;
}
else
{
var content = await response.Content.ReadAsStringAsync().ConfigureAwait(false);
return JsonConvert.DeserializeObject<TResponse>(content);
}
}
}