我正在尝试编写一些代码,这些代码可以迭代我的业务对象,并将它们的内容转储到日志文件中。
为此,我希望能够找到所有公共属性,并使用反射输出它们的名称和值,我还希望能够检测集合属性并对其进行迭代。
假设两个类是这样的:
public class Person
{
private List<Address> _addresses = new List<Address>();
public string Firstname { get; set; }
public string Lastname { get; set; }
public List<Address> Addresses
{
get { return _addresses; }
}
}
public class Address
{
public string Street { get; set; }
public string ZipCode { get; set; }
public string City { get; set; }
}
我现在有这样的代码,它可以找到所有的公共属性:
public void Process(object businessObject)
{
// fetch info about all public properties
List<PropertyInfo> propInfoList = new List<PropertyInfo>(businessObject.GetType().GetProperties(BindingFlags.Instance | BindingFlags.Public));
foreach (PropertyInfo info in propInfoList)
{
// how can I detect here that "Addresses" is a collection of "Address" items
// and then iterate over those values as a "list of subentities" here?
Console.WriteLine("Name '{0}'; Value '{1}'", info.Name, info.GetValue(businessObject, null));
}
}
但是我不知道如何检测给定的属性(例如Person
类上的Addresses
(是Address
对象的集合?似乎找不到propInfo.PropertyType.IsCollectionType
属性(或类似的东西,可以给我我正在寻找的信息(
我尝试过(没有成功(这样的东西:
info.PropertyType.IsSubclassOf(typeof(IEnumerable))
info.PropertyType.IsSubclassOf(typeof(System.Collections.Generic.List<>))
info.PropertyType.IsAssignableFrom(typeof(IEnumerable))
只需检查IEnumerable
,它由每个集合实现,甚至由数组实现:
var isCollection = info.PropertyType.GetInterfaces()
.Any(x => x == typeof(IEnumerable));
请注意,您可能希望为实现此接口的类添加一些特殊情况处理,但仍不应将其视为集合。CCD_ 6就是这样的情况。
如果你想避免字符串和其他东西的麻烦:
var isCollection = info.PropertyType.IsClass &&
info.PropertyType.GetInterfaces().Contains(typeof(IEnumerable));