我写了这个函数:

public static MethodInfo[] GetMethods<T>()
{
    return typeof(T).GetMethods(BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.Instance | BindingFlags.FlattenHierarchy);
}


对于不继承任何其他类型的类,它似乎工作正常:

class A
{
    private void Foo() { }
}

var methods = GetMethods<A>(); // Contains void Foo()


但是,当我在继承另一个类的类上运行该函数时,它无法获取基类的私有方法:

class B : A
{
    private void Bar() { }
}

var methods = GetMethods<B>(); // Contains void Bar(), but not void Foo() :(


我知道可以将void Foo()定义为protected,但是我正在处理第三方代码,但我无法这样做。

那么,如何遍历一个类及其父类的私有函数呢?

最佳答案

我已经通过递归运行GetMethods直到到达继承树的末尾来解决了这个问题。

public static IEnumerable<MethodInfo> GetMethods(Type type)
{
    IEnumerable<MethodInfo> methods = type.GetMethods(BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.Instance);

    if (type.BaseType != null)
    {
        methods = methods.Concat(GetMethods(type.BaseType));
    }

    return methods;
}

10-04 10:38