5

我有一组嵌套的对象,即一些属性是自定义对象。我想使用属性名称的字符串获取层次结构组中的对象属性值,以及某种形式的“查找”方法来扫描层次结构以查找具有匹配名称的属性,并获取其值。

这可能吗?如果可以,怎么办?

非常感谢。

编辑

类定义可能是伪代码:

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"

有点做作,但我可以通过在某种形式的查找函数中使用魔术字符串“Shape”来“查找”“Shape”属性的值,从顶部对象开始。IE:

string myResult = myCar.FindPropertyValue("Shape")

希望 myResult = "Round"。

这就是我所追求的。

谢谢。

4

2 回答 2

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 );
于 2013-04-16T02:29:59.930 回答
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");

请参阅此链接以供参考。

于 2013-04-16T01:41:10.100 回答