按名称获取字段

本文关键字:字段 获取 | 更新日期: 2023-09-27 18:28:38

我正在尝试创建一个函数,该函数可以从其对象返回字段。

这是我迄今为止所拥有的。

public class Base
{
    public string thing = "Thing";
    public T GetAttribute<T>(string _name)
    {
        return (T)typeof(T).GetProperty(_name).GetValue(this, null);
    }
}

我最理想的称呼是:

string thingy = GetAttribute<string>("thing");

但我有一种感觉,当我读到这篇文章时,我错了方向,因为我不断收到空引用异常。

按名称获取字段

首先,thing是一个字段,而不是属性。

另一件事是,你必须改变参数类型才能使其工作:

public class Base {
   public string thing = "Thing";
   public T GetAttribute<T> ( string _name ) {
      return (T)typeof(Base).GetField( _name ).GetValue (this, null);
   }   
}

BTW-您可以通过引用实例来获取属性/字段值:

var instance = new Base();
var value = instance.thing;

thing是一个字段而不是属性。您应该使用GetField方法而不是GetProperty。另一个问题是您正在查找typeof(T)。您应该在typeof(Base)中查找该字段。

整个功能应该改为

public T GetAttribute<T>(string _name)
{
    return (T)GetType().GetField(_name).GetValue(this);
}

如果你想有一个扩展方法来获得一个类型的字段值,你可以使用这个

public static class Ex
{
    public static TFieldType GetFieldValue<TFieldType, TObjectType>(this TObjectType obj, string fieldName)
    {
        var fieldInfo = obj.GetType().GetField(fieldName,
            BindingFlags.Instance | BindingFlags.Static |
            BindingFlags.Public | BindingFlags.NonPublic);
        return (TFieldType)fieldInfo.GetValue(obj);
    }
}

像一样使用它

var b = new Base();
Console.WriteLine(b.GetFieldValue<string, Base>("thing"));

使用BindingFlags可以帮助您获取字段值,即使它是私有字段或静态字段。