如果我有一个给定实体的集合,我可以获得实体的属性,如下所示:
var myCollection = new List<Foo>();
entities.GetType().GetGenericArguments()[0].GetProperties().Dump();
然而,如果我的集合是基类的IEnumerable并填充了派生类,那么我列出属性时会遇到一些困难。
public class Foo
{
public string One {get;set;}
}
public class Bar : Foo
{
public string Hello {get;set;}
public string World {get;set;}
}
// "Hello", "World", and "One" contained in the PropertyInfo[] collection
var barCollection = new List<Bar>() { new Bar() };
barCollection.GetType().GetGenericArguments()[0].GetProperties().Dump();
// Only "One" exists in the PropertyInfo[] collection
var fooCollection = new List<Foo>() { new Bar() };
fooCollection.GetType().GetGenericArguments()[0].GetProperties().Dump();
是否无论如何都可以获得集合中项目的类型,即使使用基类声明集合?
这是因为您从类型参数T
所表示的类型获得属性,即Foo
,而Foo
仅具有One
属性。
要获得所有可能的属性,您需要遍历列表中所有对象的类型,如下所示:
var allProperties = fooCollection
.Select(x => x.GetType())
.Distinct()
.SelectMany(t => t.GetProperties())
.ToList();