使用反射在类实例中按名称获取属性的值

时间:2011-06-21 19:32:14

标签: c# asp.net reflection

让我说我有

class Person
{
    public Person(int age, string name)
    {
        Age = age;
        Name = name; 
    }
    public int Age{get;set}
    public string Name{get;set}
}

我想创建一个接受包含其中任何一个字符串的方法 “age”或“name”并返回一个具有该属性值的对象。

与以下伪代码类似:

    public object GetVal(string propName)
    {
        return <propName>.value;  
    }

我如何使用反射来做到这一点?

我使用asp.net 3.5编码,c#3.5

4 个答案:

答案 0 :(得分:14)

我认为这是正确的语法......

var myPropInfo = myType.GetProperty("MyProperty");
var myValue = myPropInfo.GetValue(myInstance, null);

答案 1 :(得分:4)

首先,您提供的示例没有“属性”。它有私有成员变量。对于属性,您可以使用以下内容:

public class Person
{
    public int Age { get; private set; }
    public string Name { get; private set; }

    public Person(int age, string name)
    {
        Age = age;
        Name = name;
    }
}

<击>

然后使用反射来获取值:

 public object GetVal(string propName)
 {
     var type = this.GetType();
     var propInfo = type.GetProperty(propName, BindingFlags.Instance);
     if(propInfo == null)
         throw new ArgumentException(String.Format(
             "{0} is not a valid property of type: {1}",
             propName, 
             type.FullName));

     return propInfo.GetValue(this);
 }

请记住,既然您已经可以访问该类及其属性(因为您也可以访问该方法),那么使用这些属性要比通过Reflection做一些花哨的东西容易得多。 / p>

答案 2 :(得分:2)

您可以这样做:

Person p = new Person( 10, "test" );

IEnumerable<FieldInfo> fields = typeof( Person ).GetFields( BindingFlags.NonPublic | BindingFlags.Instance );

string name = ( string ) fields.Single( f => f.Name.Equals( "name" ) ).GetValue( p );
int age = ( int ) fields.Single( f => f.Name.Equals( "age" ) ).GetValue( p );

请记住,因为这些是私有实例字段,您需要显式声明绑定标志,以便通过反射获取它们。

编辑:

您似乎已将示例从使用字段更改为属性,因此我只是将此保留在此处以防您再次更改。 :)

答案 3 :(得分:0)

ClassInstance.GetType.GetProperties()将为您提供PropertyInfo对象列表。 旋转PropertyInfos,检查PropertyInfo.Name对propName。如果它们相等,则调用PropertyInfo类的GetValue方法以获取其值。

http://msdn.microsoft.com/en-us/library/system.reflection.propertyinfo.aspx