有没有办法获得typeof Func <t,bool =“”>?</t,>

时间:2014-08-05 20:47:55

标签: c# generics reflection

简短版:

我们可以使用<{p>}获取Func<T,T>类型

typeof(Func<,>) 

但如果我想获得Func<T, bool>的类型,我应该使用什么,或者可以做什么呢?显然这不会编译:

typeof(Func<, bool>)

长版:

考虑以下场景,我有两个类似的方法,我想使用Reflection获得第二个(Func<T, int>):

public void Foo<T>(Func<T, bool> func) { }

public void Foo<T>(Func<T, int> func) { }

我正在尝试这个:

 var methodFoo = typeof (Program)
            .GetMethods()
            .FirstOrDefault(m => m.Name == "Foo" &&
                        m.GetParameters()[0]
                        .ParameterType
                        .GetGenericTypeDefinition() == typeof (Func<,>));

但由于Func<T, bool>Func<T, int>的泛型类型定义相同,因此它为我提供了第一种方法。要解决此问题,我可以执行以下操作:

var methodFoo = typeof (Program)
            .GetMethods()
            .FirstOrDefault(m => m.Name == "Foo" &&
                        m.GetParameters()[0]
                        .ParameterType
                        .GetGenericArguments()[1] == typeof(int));

然后我得到了正确的方法,但我不喜欢这种方式。对于更复杂的情况,这似乎是一种开销。我想要做的是在上面的失败尝试中得到Func<T,bool>的类型,然后我可以使用GetMethod的{​​{3}}而不是使用Linq,并执行以下操作:

var methodFoo = typeof (Program)
            .GetMethod("Foo", 
            BindingFlags.Public | BindingFlags.Instance,
            null, 
            new[] {typeof (Func<, bool>)}, // ERROR typeof(Func<,>) doesn't work either
            null);

注意:当然Func<T,T>只是一个例子,问题不是针对任何类型的。

1 个答案:

答案 0 :(得分:5)

不幸的是,您无法为部分绑定的泛型类型构建System.Type对象。你这样做的方式(即用GetGenericArguments()[1] == typeof(int))是正确的方法。

如果需要在多个位置重复使用它,可以构建一个辅助扩展方法,该方法接受泛型类型定义和System.Type个对象数组,如果有,则返回true匹配:

static bool IsGenericInstance(this Type t, Type genTypeDef, params Type[] args) {
    if (!t.IsGenericType) return false;
    if (t.GetGenericTypeDefinition() != genTypeDef) return false;
    var typeArgs = t.GetGenericArguments();
    if (typeArgs.Length != args.Length) return false;
    // Go through the arguments passed in, interpret nulls as "any type"
    for (int i = 0 ; i != args.Length ; i++) {
        if (args[i] == null) continue;
        if (args[i] != typeArgs[i]) return false;
    }
    return true;
}

现在您可以像这样重写代码:

var methodFoo = typeof (Program)
    .GetMethods()
    .FirstOrDefault(m => m.Name == "Foo" &&
        m.GetParameters()[0]
            .ParameterType
            .IsGenericInstance(typeof(Func<,>), null, typeof(bool))
    );
  

如果我使用methodFoo.GetParameters()[0].ParameterType,我会得到Func<T, int>的类型,所以它肯定是在某处构建的

上面的T类型是通用方法Foo的通用类型参数。由于它不是“任何类型”,如果您愿意,可以构建此类型:

var typeT = methodFoo.GetGenericArguments()[0];
var funcTbool = typeof(Func<,>).MakeGenericType(typeT, typeof(bool));

问题是typeT绑定到特定的泛型方法,使funcTbool类型不适合搜索多个独立的泛型方法。

如果T是该方法所属类的类型参数,请说

class FooType<T> {
    public void Foo(Func<T, bool> func) { }
    public void Foo(Func<T, int> func) { }
}

您可以根据funcTbool的通用类型参数构建FooType<>,并在不同Foo(...)方法的签名中搜索它。