使用反射将XML数组反序列化为列表



我想将一个XML文档反序列化为一个对象,这是我的对象定义:

public class Student
{
public string FirstName { get; set; }
public string LastName { get; set; }
public List<string> Hobbies { get; set; }
}

这是XML文件,节点名匹配类属性:

<?xml version="1.0" encoding="UTF-8"?>
<items>
<item type="dict">
<FirstName type="str">John</FirstName>
<LastName type="str">Smith</LastName>
<Hobbies type="list">
<item type="str">Reading</item>
<item type="str">Singing</item>
<item type="str">Tennis</item>
</Hobbies>
</item>
</items>

下面的代码可以工作,我将XML节点(在本例中是item)传递给函数,代码将使用反射将属性与子节点匹配并设置属性值:

public void DeserializeNode(XmlNode node)
{
var student = new Student();
foreach (XmlNode child in node)
{
PropertyInfo prop = student.GetType().GetProperty(child.Name);
prop.SetValue(student, child.InnerText);
}
}

但是上面的函数不再工作了(XML输入已经改变,现在它有一个名为嗜好的数组)

下一行抛出异常:

prop.SetValue(student, child.InnerText); // child.InnerText = ReadingSingingTennis

这是因为爱好的child.InnerText返回ReadingSingingTennis,代码试图将List<string>设置为单个string

如何修改此功能以正确设置爱好?

问题是在爱好中你有节点。

你可以这样试试

public static void DeserializeNode(XmlNode node)
{
var student = new Student();
foreach (XmlNode child in node)
{
PropertyInfo prop = student.GetType().GetProperty(child.Name);
if (child.Attributes.GetNamedItem("type").Value == "list")
{
var list = Activator.CreateInstance(prop.PropertyType);
foreach (XmlNode item in child)
{
var methodInfo = list.GetType().GetMethod("Add");
methodInfo.Invoke(list, new object[] { item.InnerText });
}
prop.SetValue(student, list);
}
else
{
prop.SetValue(student, child.InnerText);
}
}
}

但是如果你有更复杂的xml,你应该使用递归和反射

相关内容

  • 没有找到相关文章

最新更新