我有一组嵌套的对象,即一些属性是自定义对象。我想在层次结构组中使用字符串作为属性名称来获取对象属性值,并使用某种形式的“查找”方法来扫描层次结构以查找具有匹配名称的属性,并获取其值。
这是可能的,如果是这样的话?
非常感谢。
修改
类定义可能是伪代码:
Class Car
Public Window myWindow()
Public Door myDoor()
Class Window
Public Shape()
Class Door
Public Material()
Car myCar = new Car()
myCar.myWindow.Shape ="Round"
myDoor.Material = "Metal"
所有人都有点做作,但是我可以通过在顶层对象的某种形式的find函数中使用魔术字符串“Shape”来“找到”“Shape”属性的值。 即:
string myResult = myCar.FindPropertyValue("Shape")
希望myResult =“Round”。
这就是我所追求的。
感谢。
答案 0 :(得分:9)
根据您在问题中显示的类,您需要通过递归调用来迭代对象属性。你可以重用的东西怎么样:
object GetValueFromClassProperty(string propname, object instance)
{
var type = instance.GetType();
foreach (var property in type.GetProperties())
{
var value = property.GetValue(instance, null);
if (property.PropertyType.FullName != "System.String"
&& !property.PropertyType.IsPrimitive)
{
return GetValueFromClassProperty(propname, value);
}
else if (property.Name == propname)
{
return value;
}
}
// if you reach this point then the property does not exists
return null;
}
propname
是您要搜索的媒体资源。您可以使用如下:
var val = GetValueFromClassProperty("Shape", myCar );
答案 1 :(得分:4)
是的,这是可能的。
public static Object GetPropValue(this Object obj, String name) {
foreach (String part in name.Split('.')) {
if (obj == null) { return null; }
Type type = obj.GetType();
PropertyInfo info = type.GetProperty(part);
if (info == null) { return null; }
obj = info.GetValue(obj, null);
}
return obj;
}
public static T GetPropValue<T>(this Object obj, String name) {
Object retval = GetPropValue(obj, name);
if (retval == null) { return default(T); }
// throws InvalidCastException if types are incompatible
return (T) retval;
}
要使用它:
DateTime now = DateTime.Now;
int min = GetPropValue<int>(now, "TimeOfDay.Minutes");
int hrs = now.GetPropValue<int>("TimeOfDay.Hours");
请参阅此link以供参考。