2

我确定这是重复的,但我找不到答案。

System.Linq.Queryable有一个带有以下签名的方法:

public static int Count<TSource>(
    this IQueryable<TSource> source, 
    Expression<Func<TSource, bool>> predicate);

如何使用System.Type::GetMethod方法来获取此方法?

typeof(System.Linq.Queryable).GetMethod("Count", type[]{ ??? });
4

2 回答 2

1

你可以使用

var method = typeof (System.Linq.Queryable).GetMethods().Single(a=>a.Name == "Count" && a.GetParameters().Length == 2);

然后,如果你想调用它

method.MakeGenericMethod(typeof (YourType));

另外,它可以被过滤(对于不同的选择):

var sel1 = typeof (Queryable).GetMethods().Single(a => a.Name == "Select"
                && a.MakeGenericMethod(typeof(object), typeof(object)).GetParameters()[1].ParameterType == typeof(Expression<Func<object, object>>));

var sel2 = typeof(Queryable).GetMethods().Single(a => a.Name == "Select"
                && a.MakeGenericMethod(typeof(object), typeof(object)).GetParameters()[1].ParameterType == typeof(Expression<Func<object,int, object>>));
于 2013-10-28T18:12:11.720 回答
1

最省力的方法可能是用表达式树捕获您想要的方法,然后深入查找方法引用。您可以这样做一次以获取泛型方法定义,然后缓存结果并根据需要重用它。

Expression<Func<IQueryable<int>, int>> getCount = p => p.Count();
MethodInfo countMethod = ((MethodCallExpression)getCount.Body).Method.GetGenericMethodDefinition();

这样做的好处是对 API 更改有一定的弹性(例如,添加更多“计数”成员);返回的方法将是您的表达式在编译时绑定到的任何方法。

如果您愿意,可以将此行为提取到实用程序方法中:

public static MethodInfo MethodOf(Expression<Action> accessExpression, bool dropTypeArguments = false)
{
    if (accessExpression == null)
        throw new ArgumentNullException("accessExpression");

    var callExpression = accessExpression.Body as MethodCallExpression;
    if (callExpression == null)
        throw new ArgumentException("Expression body must be a method call.", "accessExpression");

    var method = callExpression.Method;

    if (dropTypeArguments && method.IsGenericMethod)
        return method.GetGenericMethodDefinition();

    return method;
}

public static MethodInfo MethodOf<TInstance>(Expression<Action<TInstance>> call, bool dropTypeArguments = false)
{
    if (call == null)
        throw new ArgumentNullException("call");

    var callExpression = call.Body as MethodCallExpression;
    if (callExpression == null)
        throw new ArgumentException("Expression body must be a method call.", "call");

    var method = callExpression.Method;

    if (dropTypeArguments && method.IsGenericMethod)
        return method.GetGenericMethodDefinition();

    return method;
}

将第一个重载用于静态样式调用,将后者用于实例样式调用,例如:

var countMethod1 = Extensions.MethodOf(() => Queryable.Count(default(IQueryable<int>)), dropTypeArguments: true);
var countMethod2 = Extensions.MethodOf((IQueryable<int> p) => p.Count(), dropTypeArguments: true);

要保留类型参数(例如,要解析Count<int>()而不是Count<T>()),只需省略dropTypeArguments: true参数或将其设置为false

请注意,这些并不是非常全面。例如,它们不会在声明类型上删除泛型参数(仅在方法本身上)。随意使用、扩展或丢弃:)。

于 2013-10-28T18:12:49.893 回答