我试图从WCF服务中的请求标头恢复列表键值。我能够恢复单个属性,但我无法找到如何恢复列表。
这是我的电话:
<soapenv:Envelope xmlns:soapenv="http://schemas.xmlsoap.org/soap/envelope/" xmlns:tem="http://tempuri.org/">
<soapenv:Header>
<tem:header1>Header 1</tem:header1>
<tem:Properties>
<tem:property>
<key>KEY.ONE</key>
<value>value1</value>
</tem:property>
<tem:property>
<key>KEY.TWO</key>
<value>value2</value>
</tem:property>
</tem:Properties>
</soapenv:Header>
<soapenv:Body>
<tem:function1>
<tem:param1>100</tem:param1>
</tem:function1>
</soapenv:Body>
</soapenv:Envelope>
这就是我恢复的方式&#34; header1&#34;:
MessageHeaders headers = OperationContext.Current.IncomingMessageHeaders;
string header1 = headers.GetHeader<string>("header1", "http://tempuri.org/");
我以为我可以使用类似的东西:
IDictionary<string, string> properties = headers.GetHeader<Dictionary<string, string>>("Properties", "http://tempuri.org/");
但属性始终为空。
答案 0 :(得分:1)
正如MSDN所说,GetHeader<T>(string, string)
方法只能返回由DataContractSerializer
序列化的标头,这意味着您的property
对象应该作为.NET类型存在。
您可以做的是使用GetHeader<T>(string, string, XmlObjectSerializer)
使用序列化程序反序列化标头值的内容并将其返回。
为此,您需要实现自己的序列化程序,该序列化程序将读取内容并返回字典。我认为类似的东西会起作用(取决于key
和value
是严格按此顺序还是可以交换)。另外,我没有检查名称空间会发生什么。
public class MySerializer : XmlObjectSerializer
{
public override object ReadObject(XmlDictionaryReader reader, bool verifyObjectName)
{
reader.ReadFullStartElement();
Dictionary<string, string> r = new Dictionary<string, string>();
while (reader.IsStartElement("property"))
{
reader.ReadFullStartElement("property");
reader.ReadFullStartElement("key");
string key = reader.ReadContentAsString();
reader.ReadEndElement();
reader.ReadFullStartElement("value");
string value = reader.ReadContentAsString();
reader.ReadEndElement();
r.Add(key, value);
reader.ReadEndElement();
reader.MoveToContent();
}
return r;
}
public override void WriteStartObject(XmlDictionaryWriter writer, object graph)
{
throw new NotImplementedException();
}
public override void WriteObjectContent(XmlDictionaryWriter writer, object graph)
{
throw new NotImplementedException();
}
public override void WriteEndObject(XmlDictionaryWriter writer)
{
throw new NotImplementedException();
}
public override bool IsStartObject(XmlDictionaryReader reader)
{
throw new NotImplementedException();
}
}