有了这个课程

class Foo
{
    // Want to find _bar with reflection
    [SomeAttribute]
    private string _bar;

    public string BigBar
    {
        get { return this._bar; }
    }
}

我想找到私有项目_bar,我将标记一个属性。这可能吗?

我已经对属性进行了此操作,我在其中查找了属性,但从未查找私有成员字段。

我需要设置哪些绑定标志来获得私有字段?


当前回答

带有扩展方法的漂亮语法

你可以使用如下代码访问任意类型的私有字段:

Foo foo = new Foo();
string c = foo.GetFieldValue<string>("_bar");

为此,你需要定义一个扩展方法来为你做这些工作:

public static class ReflectionExtensions {
    public static T GetFieldValue<T>(this object obj, string name) {
        // Set the flags so that private and public fields from instances will be found
        var bindingFlags = BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance;
        var field = obj.GetType().GetField(name, bindingFlags);
        return (T)field?.GetValue(obj);
    }
}

其他回答

你可以像对待属性那样做:

FieldInfo fi = typeof(Foo).GetField("_bar", BindingFlags.NonPublic | BindingFlags.Instance);
if (fi.GetCustomAttributes(typeof(SomeAttribute)) != null)
    ...

我在谷歌上搜索这个时遇到了这个,所以我意识到我在撞一个旧帖子。然而GetCustomAttributes需要两个参数。

typeof(Foo).GetFields(BindingFlags.NonPublic | BindingFlags.Instance)
.Where(x => x.GetCustomAttributes(typeof(SomeAttribute), false).Length > 0);

第二个参数指定是否希望搜索继承层次结构

使用BindingFlags。NonPublic和BindingFlags。实例的旗帜

FieldInfo[] fields = myType.GetFields(
                         BindingFlags.NonPublic | 
                         BindingFlags.Instance);
typeof(MyType).GetField("fieldName", BindingFlags.NonPublic | BindingFlags.Instance)

在反射私有成员时需要注意的一件事是,如果您的应用程序运行在中等信任环境中(例如,当您运行在共享托管环境中时),它将找不到它们——BindingFlags。非公共选择将被忽略。