我是Linq的新手,也是表达树的真正初学者。
我有一个通用的表达式例程,它构建了一个简单的Linq where子句,我在下面找到:
https://www.simple-talk.com/dotnet/net-framework/dynamic-linq-queries-with-expression-trees/
public Func<TSource,bool> SimpleFilter<TSource> (string property, object value)
{
var type = typeof(TSource);
var pe = Expression.Parameter(type, "p");
var propertyReference = Expression.Property(pe,property);
var constantReference = Expression.Constant(value);
var ret = Expression.Lambda<Func<TSource, bool>>
(Expression.Equal(propertyReference, constantReference), new[] { pe });
return ret.Compile();
}
当我将该函数称为SimpleFilter("JobCustomerID", 449152)
时
收益率(p => p.JobCustomerId == 449152)
这是正确的。
如果我在Linq语句中手动放置该条件,我会得到正确的回复。
var jj = db.VW_Job_List.Where((p => p.JobCustomerId == 449152));
然而,当通过过滤器函数调用时,Linq会抛出OutOfMemoryException
。
它在我的应用程序中称为:
var jj = db.VW_Job_List.Where(SimpleFilter<VW_Job_List>("JobCustomerID", 449152));
如果我用文本标准调用该函数,它会正确返回:
var jj = db.VW_Job_List.Where(SimpleFilter<VW_Job_List>("CompanyCode", "LCS"));
是否有关于使用需要适应的整数变量的具体内容?我的编码错误了吗?任何想法或见解将不胜感激。
答案 0 :(得分:3)
两个电话
var jj = db.VW_Job_List.Where((p => p.JobCustomerId == 449152));
和
var jj = db.VW_Job_List.Where(SimpleFilter<VW_Job_List>("JobCustomerID", 449152));
不等同。第一个解析为Queryable.Where
,因此过滤器应用于数据库内,而第二个过滤到Enumerable.Where
,从而导致将整个表加载到内存中并在那里应用过滤器。
问题是SimpleFilter
的返回类型是Func<TSource, bool>
。为了使它们等效,它应该是Expression<Func<TSource, bool>>
。请注意,尽管它们在视觉上看起来相同,但由于应用于IQueryable<T>
时的重载分辨率不同,lambda表达式和lambda委托之间存在巨大差异。
所以,改变这样的方法再试一次:
public Expression<Func<TSource,bool>> SimpleFilter<TSource> (string property, object value)
{
var type = typeof(TSource);
var pe = Expression.Parameter(type, "p");
var propertyReference = Expression.Property(pe,property);
var constantReference = Expression.Constant(value);
var ret = Expression.Lambda<Func<TSource, bool>>
(Expression.Equal(propertyReference, constantReference), new[] { pe });
return ret; // No .Compile()
}