在c#中将泛型集合转换为XML



我想编写一个泛型方法,在传递类型T的集合时返回XML。我尝试了下面的代码,但没有像预期的那样工作。任何关于增强它以包含元素属性的建议都是非常感谢的。由于

public XElement GetXElements<T>(IEnumerable<T> colelction,string parentNodeName) where T : class
{            
    XElement xml = new XElement(typeof(T).GetType().Name);
    foreach(var x in typeof(T).GetProperties())
    {
        var name = x.Name;
        var value = typeof(T).GetProperty(x.Name).GetValue(x);
        xml.Add(new XElement(name,value));
    }         
    return xml;
}

例如,如果我发送如下的集合到上面的方法,

        var col = new List<Employee>()
        {
            new Employee
            {
                FirstName = "John",
                Sex= "Male"
            },
            new Employee
            {
                FirstName = "Lisa",
                Sex= "Female"
            },
        };

并调用方法作为GetXElements<Employee>(col,"Employees"),我期望得到如下的XML

<?xml version="1.0" encoding="utf-8"?>
<Employees>
  <Employee>
     <FirstName>John</FirstName>
     <Sex>Male</Sex>
  </Employee>
  <Employee>
     <FirstName>Lisa</FirstName>
     <Sex>Female</Sex>
  </Employee>
<Employees>

我不认为你已经理解了PropertyInfo.GetValue的参数是什么意思-它意味着是目标的属性获取,而你在传递PropertyInfo本身。

另外,你的方法只有一个参数,而你试图传递两个参数。我想你应该是这样的:

public static XElement GetXElements<T>(IEnumerable<T> collection, string wrapperName)
    where T : class
{
    return new XElement(wrapperName, collection.Select(GetXElement));
}
private static XElement GetXElement<T>(T item)
{
    return new XElement(typeof(T).Name,
        typeof(T).GetProperties()
                 .Select(prop => new XElement(prop.Name, prop.GetValue(item, null));
}

给出你想要的结果。注意,在调用GetXElement时不需要指定类型参数,因为类型推断将做正确的事情:

XElement element = GetXElements(col,"Employees");

相关内容

  • 没有找到相关文章

最新更新