使用C#中的反射从字符串获取属性值

我想在我的代码中使用Reflection1示例实现数据转换。

GetSourceValue函数有一个用于比较各种类型的开关,但我想删除这些类型和属性,并使GetSourceValue仅使用一个字符串作为参数来获取该属性的值。 我想传递字符串中的类和属性并解析属性的值。

这可能吗?

1原始博客帖子的Web Archive版本


 public static object GetPropValue(object src, string propName)
 {
     return src.GetType().GetProperty(propName).GetValue(src, null);
 }

当然,你会想添加验证和什么,但这是它的要点。


如何这样的事情:

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");

您可以将这些方法用作静态方法或扩展。


添加到任何Class

public class Foo
{
    public object this[string propertyName]
    {
        get { return this.GetType().GetProperty(propertyName).GetValue(this, null); }
        set { this.GetType().GetProperty(propertyName).SetValue(this, value, null); }
    }

    public string Bar { get; set; }
}

然后,你可以使用:

Foo f = new Foo();
// Set
f["Bar"] = "asdf";
// Get
string s = (string)f["Bar"];
链接地址: http://www.djcxy.com/p/21205.html

上一篇: Get property value from string using reflection in C#

下一篇: Find a private field with Reflection?