我必须创建一个可序列化的类,它具有下面提到的格式的xml。请检查此链接上的xml和ExtendedAttribute元素。
http://telligent.com/community/developers/w/developer6/update-a-user.aspx
以下标记形成为和键值对,并且没有对象
我的ExtendedAtribute类不是固定类,但它是一个可以动态增加和减少的键值类型对象
答案 0 :(得分:1)
对于简化的XML文件: -
<ExtendedAttributes>
<EnableDisplayName>True</EnableDisplayName>
<EditorType>Enhanced</EditorType>
<EnableConversationNotifications>True</EnableConversationNotifications>
<EnableUserSignatures>True</EnableUserSignatures>
<CPPageSize>10</CPPageSize>
<EnableActivityMessageNewUserAvatar>True</EnableActivityMessageNewUserAvatar>
<EnableActivityMessageThirdPartyMessageType>True</EnableActivityMessageThirdPartyMessageType>
<EnableStartConversations>1</EnableStartConversations>
<avatarUrl>~/cfs-file.ashx/__key/communityserver-components-selectableavatars/03b2c875-fbfb-4d26-8000-ef001b9f4728/avatar.png</avatarUrl>
<EnableActivityMessageNewProfileComment>False</EnableActivityMessageNewProfileComment>
<EnableActivityMessageStatus>True</EnableActivityMessageStatus>
</ExtendedAttributes>
你可以用以下方法解析它: -
using System;
using System.Collections.Generic;
using System.IO;
using System.Xml.Serialization;
[XmlRoot("ExtendedAttributes")]
public class SerialisableDictionary : Dictionary<string, string>, IXmlSerializable
{
#region IXmlSerializable Members
public System.Xml.Schema.XmlSchema GetSchema()
{
return null;
}
public void ReadXml(System.Xml.XmlReader reader)
{
reader.Read();
while (reader.NodeType != System.Xml.XmlNodeType.EndElement)
{
string key = reader.Name;
this.Add(key, reader.ReadElementContentAsString());
reader.MoveToElement();
}
reader.ReadEndElement();
}
public void WriteXml(System.Xml.XmlWriter writer)
{
// TODO
}
#endregion
}
class Program
{
static void Main(string[] args)
{
SerialisableDictionary sd = new SerialisableDictionary();
XmlSerializer x = new XmlSerializer(sd.GetType());
using (StreamReader sr = new StreamReader(@"XMLFile1.xml"))
{
sd = (SerialisableDictionary)x.Deserialize(sr);
}
foreach(var kvp in sd)
{
Console.WriteLine(kvp.Key + " = " + kvp.Value);
}
Console.WriteLine("Done.");
Console.ReadKey();
}
}
这给你一个Dictionary<string, string>
你几乎肯定想要解析真/假/字符串/数字值,但这是另一个问题。
我很欣赏这并不完美,但它应该足以让你前进。不幸的是,它会变得非常复杂,我没有太多时间。
中的答案