我正在尝试创建一个可以从其对象返回字段的函数。
这是我到目前为止所拥有的。
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");
但我有一种感觉,在阅读这篇文章时我得到了错误的结论,因为我一直得到空引用异常。
答案 0 :(得分:6)
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
将帮助您获取字段值,即使它是私有字段或静态字段。
答案 1 :(得分:6)
首先 - 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;