Pau*_*ulP 5 c# linq expression
我正在使用表达式处理过滤机制,无法弄清楚如何调用任何使用Expression.Call的方法.下面的例子没有意义,但说明了我的问题:
var person = new List<String>(new[] { "Peter", "John", "Jim" });
var personQuery = person.AsQueryable();
var anyMethod = typeof(Queryable).GetMethods().FirstOrDefault(method => method.Name == "Any" && method.GetParameters().Count() == 2);
Expression<Func<String, bool>> expr = p => p == "Amy";
// person.Any(person => person == "Amy"
var call = Expression.Call(
anyMethod,
personQuery.Expression,
expr
);
Run Code Online (Sandbox Code Playgroud)
Expression.Call抛出ArgumentException:
System.ArgumentException was unhandled
HResult=-2147024809
Message=Method Boolean Any[TSource](System.Linq.IQueryable`1[TSource], System.Linq.Expressions.Expression`1[System.Func`2[TSource,System.Boolean]]) is a generic method definition.
Source=System.Core
StackTrace:
w System.Linq.Expressions.Expression.ValidateMethodInfo(MethodInfo method)
w System.Linq.Expressions.Expression.ValidateMethodAndGetParameters(Expression instance, MethodInfo method)
w System.Linq.Expressions.Expression.Call(MethodInfo method, Expression arg0, Expression arg1)
w TestConsoleApplication.Program.Main(String[] args) w d:\Users\user\Documents\Visual Studio 2012\Projects\TestConsoleApplication\TestConsoleApplication\Program.cs:wiersz 26
w System.AppDomain._nExecuteAssembly(RuntimeAssembly assembly, String[] args)
w System.AppDomain.ExecuteAssembly(String assemblyFile, Evidence assemblySecurity, String[] args)
w Microsoft.VisualStudio.HostingProcess.HostProc.RunUsersAssembly()
w System.Threading.ThreadHelper.ThreadStart_Context(Object state)
w System.Threading.ExecutionContext.RunInternal(ExecutionContext executionContext, ContextCallback callback, Object state, Boolean preserveSyncCtx)
w System.Threading.ExecutionContext.Run(ExecutionContext executionContext, ContextCallback callback, Object state, Boolean preserveSyncCtx)
w System.Threading.ExecutionContext.Run(ExecutionContext executionContext, ContextCallback callback, Object state)
w System.Threading.ThreadHelper.ThreadStart()
InnerException:
Run Code Online (Sandbox Code Playgroud)
您的anyMethod变量将包含通用方法定义.即Any<TSource>你需要Any<String>在调用它之前将其转换为它.
你可以通过调用anyMethod.MakeGenericMethod提供typeof(String)参数来实现.所以你的代码变成了
var person = new List<String>(new[] { "Peter", "John", "Jim" });
var personQuery = person.AsQueryable();
var anyMethod = typeof(Queryable).GetMethods().FirstOrDefault(method => method.Name == "Any" && method.GetParameters().Count() == 2);
var specificMethod = anyMethod.MakeGenericMethod(typeof(String));//<--Important
Expression<Func<String, bool>> expr = p => p == "Amy";
// person.Any(person => person == "Amy"
var call = Expression.Call(
specificMethod,
personQuery.Expression,
expr
);
Run Code Online (Sandbox Code Playgroud)