我创建了一个自定义属性类
[AttributeUsage(AttributeTargets.Property)]
public class MyCustomAttribute : Attribute
{
public string Name{ get; set; }
}
我下面有一个复杂的嵌套对象:
public class Parent
{
[MyCustom(Name = "Parent property 1")]
public string ParentProperty1 { get; set; }
[MyCustom(Name = "Parent property 2")]
public string ParentProperty2 { get; set; }
public Child ChildObject { get; set; }
}
public class Child
{
[MyCustom(Name = "Child property 1")]
public string ChildPropery1 { get; set; }
[MyCustom(Name = "Child property 2")]
public string ChildProperty2 { get; set; }
}
如果要在运行时将该对象作为通用对象传递给我,我想获取属性名称列表,每个属性的属性名称值,如果在运行时输入对象是“父对象”,我该怎么办? ?
我知道如何使用下面的代码对平面结构的通用对象执行此操作,但是我不确定如何检索所有嵌套对象的属性和属性,是否需要使用某种递归函数?
public void GetObjectInfo<T>(T object)
{
//Get the object list of properties.
var properties = typeof(T).GetProperties(BindingFlags.Public | BindingFlags.Instance);
foreach (var property in properties)
{
//Get the attribute object of each property.
var attribute = property.GetCustomAttribute<MyCustomAttribute>();
}
}
请注意,我使用的对象是现实生活中的一个非常简单的版本,我可以具有多层嵌套的子级或嵌套的列表/数组等。
答案 0 :(得分:1)
您可以创建一个函数,该函数以自定义属性递归枚举属性。
public static IEnumerable<PropertyInfo> EnumeratePropertiesWithMyCustomAttribute(Type type)
{
if (type == null)
{
throw new ArgumentNullException();
}
foreach (PropertyInfo property in type.GetProperties())
{
if (property.HasCustomAttribute<MyCustomAttribute>())
{
yield return property;
}
if (property.PropertyType.IsReferenceType && property.PropertyType != typeof(string)) // only search for child properties if doing so makes sense
{
foreach (PropertyInfo childProperty in EnumeratePropertiesWithMyCustomAttributes(property.PropertyType))
{
yield return childProperty;
}
}
}
}
注意:此函数接受类型。要在对象上调用它:
public static IEnumerable<PropertyInfo> EnumeratePropertiesWithMyCustomAttributes(object obj)
{
if (obj == null)
{
throw new ArgumentNullException();
}
return EnumeratePropertiesWithMyCustomAttributes(obj.GetType());
}
获取完整列表:
Parent parent = new Parent();
PropertyInfo[] propertiesWithMyCustomAttribute = EnumeratePropertiesWithMyCustomAttributes(parent).ToArray();