先前的所有答案都描述了该问题,而没有提供解决方案。这是一种扩展方法,可通过允许您通过其字符串名称设置任何标题来解决该问题。
用法
HttpWebRequest request = WebRequest.Create(url) as HttpWebRequest;
request.SetRawHeader("content-type", "application/json");
扩展类
public static class HttpWebRequestExtensions
{
static string[] RestrictedHeaders = new string[] {
"Accept",
"Connection",
"Content-Length",
"Content-Type",
"Date",
"Expect",
"Host",
"If-Modified-Since",
"Keep-Alive",
"Proxy-Connection",
"Range",
"Referer",
"Transfer-Encoding",
"User-Agent"
};
static Dictionary<string, PropertyInfo> HeaderProperties = new Dictionary<string, PropertyInfo>(StringComparer.OrdinalIgnoreCase);
static HttpWebRequestExtensions()
{
Type type = typeof(HttpWebRequest);
foreach (string header in RestrictedHeaders)
{
string propertyName = header.Replace("-", "");
PropertyInfo headerProperty = type.GetProperty(propertyName);
HeaderProperties[header] = headerProperty;
}
}
public static void SetRawHeader(this HttpWebRequest request, string name, string value)
{
if (HeaderProperties.ContainsKey(name))
{
PropertyInfo property = HeaderProperties[name];
if (property.PropertyType == typeof(DateTime))
property.SetValue(request, DateTime.Parse(value), null);
else if (property.PropertyType == typeof(bool))
property.SetValue(request, Boolean.Parse(value), null);
else if (property.PropertyType == typeof(long))
property.SetValue(request, Int64.Parse(value), null);
else
property.SetValue(request, value, null);
}
else
{
request.Headers[name] = value;
}
}
}
情境
我写了一个包装器HttpWebRequest
,但不想将所有13个受限制的标头公开为包装器中的属性。相反,我想使用一个简单的Dictionary<string, string>
。
另一个示例是HTTP代理,您需要在请求中获取标头并将其转发给接收者。
在许多其他情况下,它实际上不可行或无法使用属性。强制用户通过属性设置标题是非常不灵活的设计,这就是为什么需要反射的原因。有利的一面是,反射被抽象化了,它仍然很快(在我的测试中为0.001秒),并且作为一种扩展方法,感觉很自然。
笔记
根据RFC,http://www.w3.org/Protocols/rfc2616/rfc2616-sec4.html#sec4.2标题名称不区分大小写