反序列化具有唯一属性的重复 XML 元素
本文关键字:XML 元素 属性 唯一 反序列化 | 更新日期: 2023-09-27 18:30:32
我有以下XML结构:
<Response>
<Value Name="ID">1</Value>
<Value Name="User">JSmith</Value>
<Value Name="Description">Testing 123</Value>
</Response>
如何反序列化它,以便值名称是类的属性,文本值是属性的值?
请注意,值名称永远不会更改,因此Name="ID"
将始终存在。
这是我到目前为止的课程:
[Serializable]
[XmlRoot("Response")]
public class ReportingResponse
{
// [What goes here?]
public string ID { get; set; }
// [...]
public string User { get; set; }
// [...]
public string Description { get; set; }
}
该 XML 的结构为名称/值对的集合,而不是具有预定义属性的类,因此将其反序列化会更容易、更自然。
如果您决定反序列化为类,假设您使用的是 XmlSerializer
,则可以为此目的引入名称/值对的代理数组,如下所示:
public class NameValuePair
{
[XmlAttribute]
public string Name { get; set; }
[XmlText]
public string Value { get; set; }
public override string ToString()
{
return string.Format("Name={0}, Value='"{1}'"", Name, Value);
}
}
[Serializable]
[XmlRoot("Response")]
public class ReportingResponse
{
[XmlElement(ElementName="Value")]
[Browsable(false), EditorBrowsable(EditorBrowsableState.Never)]
[DebuggerBrowsable(DebuggerBrowsableState.Never)]
public NameValuePair[] XmlNameValuePairs
{
get
{
return NameValuePairExtensions.GetNamedValues(this).ToArray();
}
set
{
NameValuePairExtensions.SetNamedValues(this, value);
}
}
[XmlIgnore]
public string ID { get; set; }
[XmlIgnore]
public string User { get; set; }
[XmlIgnore]
public string Description { get; set; }
}
然后进行一些反射以自动加载数组:
public static class NameValuePairExtensions
{
public static List<NameValuePair> GetNamedValues<T>(T obj)
{
if (obj == null)
throw new ArgumentNullException();
var type = obj.GetType();
var properties = type.GetProperties();
List<NameValuePair> list = new List<NameValuePair>();
foreach (var prop in properties)
{
if (prop.PropertyType == typeof(string))
{
var getter = prop.GetGetMethod();
var setter = prop.GetSetMethod();
if (getter != null && setter != null) // Confirm this property has public getters & setters.
{
list.Add(new NameValuePair() { Name = prop.Name, Value = (string)getter.Invoke(obj, null) });
}
}
}
return list;
}
public static void SetNamedValues<T>(T obj, IEnumerable<NameValuePair> values)
{
if (obj == null || values == null)
throw new ArgumentNullException();
var type = obj.GetType();
foreach (var value in values)
{
var prop = type.GetProperty(value.Name);
if (prop == null)
{
Debug.WriteLine(string.Format("No public property found for {0}", value));
continue;
}
try
{
prop.SetValue(obj, value.Value, null);
}
catch (Exception ex)
{
Debug.WriteLine("Exception setting " + value.ToString() + " : 'n" + ex.ToString());
}
}
}
}
这会用所有字符串值属性名称和值填充数组。 您可能需要更智能的东西,在这种情况下,手动填充数组,使用指示要导出的属性或其他属性标记属性可能更合适。