将查询从 LINQ (EF) 转换为 SQL 时不应用 Where 子句
Where Clause is not applied when converting the query from LINQ (EF) to SQL
StudentHelper.cs
我的助手 class 调用了 StudentHelper,它调用存储库 Class 来获取所有学生详细信息。下面是获取学生详细信息的代码。
model = await _repo.FilterAsync<StudentRbCasesLink>(s =>
containsTest(options, list, s, countyId) && s.student.Deleted = false && s.student.studentId !=0,
s=> s.student,
s => s.studentRbCase,
s=> s.studentRbCase.CurrentCounty,
s=> s.studentRbCase.Abawdtype);
dto => _mapper.Map<IEnumerable<Objects.DTO.StudentRbCases>>(model);
containsTest 是一种根据输入参数进行所有过滤的方法。此方法根据应用的过滤器返回布尔值,并将该布尔值发送到 repo class.
private bool containsTest(string options, Dictionary<string,string> list,
StudentRbCasesLink s,int countyId){
if(options.contains("FirstName")){
firstName = list["FirstName"].ToLower().ToString();
predicate = firstName != "&county" ?
(s.student.FirstName.ToLower().contains(firstName)).Tostring() :
"false";
}
if(options.contains("LastName")){
lastName = ............................
}
........................
return convert.ToBoolean(predicate);
}
下面是存储库 class 中的实际 FilterAsync 方法。 RepositoryClass.cs
public async Task<IQueryable<T>> FilterAsync<T>(Expression<Func<T,bool>> predicate, params Expression<Func<T,object>>[] includes) where T : class
{
return await Task.Run(()=> {
var query = _context.Set<T>().where(predicate).AsQueryable();
return includes.Aggregate(query, (current, includeProperty)
=> current.Include(includeProperty).asQueryable());
});
}
让我把问题描述清楚。我在这里通过参数功能进行搜索。一旦 studenthelper class 获取所有参数,它就会触发 studenthelper 中的 filterasync,后者又会触发 Repository class 中的实际方法 filterasync。因此,当我看到转换后 SQL 的 SQL 配置文件时,它显示了 SQL 查询,其中包含包含在 filterasync 中的所有连接,但到达了它所在的条件仅在 SQL 中应用 s.student !=0 条件,这使得查询非常慢(不在 where 条件中应用所有 conditions/filters 使其变慢)。它没有应用在生成 SQL 时 containsTest 方法中提到的任何条件,但是一旦光标点击下一个自动映射器(用于将模型转换为 dtos)行,光标正在点击 containsTest 方法并执行所有的过滤器。在引擎盖下,SQL 正在获取所有记录并将它们放入内存中并在点击自动映射器时应用过滤器。
我看过其他帖子,其中有人建议使用 Expression> predicate 而不是 Func predicate。但是,我的代码已经有了 Expression。任何人都可以帮助我如何编写 containsTest 方法,以便在转换为 SQL Query.Note 时应用条件,EF 使用的是 EntityFrameworkcore(1.1.2) 感谢您的帮助。
以下是我解决问题的方法:
首先,按照上面的建议,我已经删除了 containsTest 方法并将所有内容都写在同一个方法中。
var predicate = PredicateBuilder.True<StudentRbcasesLink>();
if (options.Contains("FirstName"))
{
firstName = list["FirstName"].ToLower().ToString();
Expression<Func<StudentRBbasesLink, bool>> expressionFirstName = x =>
x.Student.FirstName.StartsWith(firstName);
if (firstName != "&county") {
predicate = predicate.And(x => x.Student.FirstName.StartsWith(firstName));
}
}
if (options.Contains("LastName"))
{
lastName = list["LastName"].ToLower().ToString();
Expression<Func<StudenRbcasesLink, bool>> expressionLastName = x =>
x.Student.LastName.StartsWith(lastName);
predicate = !string.IsNullOrEmpty(firstName) ? predicate.And(x =>
x.Participant.LastName.StartsWith(lastName)) : expressionLastName;
...........
}
...............................
最大的问题是,如何在 expressions.Below 上动态执行逻辑与、逻辑或是使之成为可能的代码。( PredicateBuilder 是 class 用于动态地对表达式谓词执行逻辑操作)。
public static class PredicateBuilder
{
/// <summary>
/// Creates a predicate that evaluates to true.
/// </summary>
public static Expression<Func<T, bool>> True<T>() { return param => true; }
/// <summary>
/// Creates a predicate that evaluates to false.
/// </summary>
public static Expression<Func<T, bool>> False<T>() { return param => false; }
/// <summary>
/// Creates a predicate expression from the specified lambda expression.
/// </summary>
public static Expression<Func<T, bool>> Create<T>(Expression<Func<T, bool>> predicate) { return predicate; }
/// <summary>
/// Combines the first predicate with the second using the logical "and".
/// </summary>
public static Expression<Func<T, bool>> And<T>(this Expression<Func<T, bool>> first, Expression<Func<T, bool>> second)
{
return first.Compose(second, Expression.AndAlso);
}
/// <summary>
/// Combines the first predicate with the second using the logical "or".
/// </summary>
public static Expression<Func<T, bool>> Or<T>(this Expression<Func<T, bool>> first, Expression<Func<T, bool>> second)
{
return first.Compose(second, Expression.OrElse);
}
/// <summary>
/// Negates the predicate.
/// </summary>
public static Expression<Func<T, bool>> Not<T>(this Expression<Func<T, bool>> expression)
{
var negated = Expression.Not(expression.Body);
return Expression.Lambda<Func<T, bool>>(negated, expression.Parameters);
}
/// <summary>
/// Combines the first expression with the second using the specified merge function.
/// </summary>
static Expression<T> Compose<T>(this Expression<T> first, Expression<T> second, Func<Expression, Expression, Expression> merge)
{
// zip parameters (map from parameters of second to parameters of first)
var map = first.Parameters
.Select((f, i) => new { f, s = second.Parameters[i] })
.ToDictionary(p => p.s, p => p.f);
// replace parameters in the second lambda expression with the parameters in the first
var secondBody = ParameterRebinder.ReplaceParameters(map, second.Body);
// create a merged lambda expression with parameters from the first expression
return Expression.Lambda<T>(merge(first.Body, secondBody), first.Parameters);
}
class ParameterRebinder : ExpressionVisitor
{
readonly Dictionary<ParameterExpression, ParameterExpression> map;
ParameterRebinder(Dictionary<ParameterExpression, ParameterExpression> map)
{
this.map = map ?? new Dictionary<ParameterExpression, ParameterExpression>();
}
public static Expression ReplaceParameters(Dictionary<ParameterExpression, ParameterExpression> map, Expression exp)
{
return new ParameterRebinder(map).Visit(exp);
}
protected override Expression VisitParameter(ParameterExpression p)
{
ParameterExpression replacement;
if (map.TryGetValue(p, out replacement))
{
p = replacement;
}
return base.VisitParameter(p);
}
}
}
之前的问题是,我对布尔值而不是表达式进行逻辑运算。而表达式的逻辑运算只能通过上面的prediateBuilder来实现class.
下面是 FilterAsync 的代码
model = await _repo.FilterAsync<StudentRbCasesLink>(
predicate
s => s.student.studentId !=0,
s => s.student,
s => s.studentRbCase,
s => s.studentRbCase.CurrentCounty,
s => s.studentRbCase.Abawdtype);
dto => _mapper.Map<IEnumerable<Objects.DTO.StudentRbCases>>(model);
更改代码后,我转到 SQL Server Profiler 并测试了查询是如何形成的。它具有所有 必要的连接与 where 子句 提供的 where 子句根据搜索动态变化。
在此之后,当组合(意味着一次 2 或 3 个字段)为 given.Note 时,搜索将在 3 秒内发生 given.Note:以前,搜索通常需要 1 到 2 分钟。为必要的列创建一些索引和统计信息将其减少到不到 1 秒。
StudentHelper.cs
我的助手 class 调用了 StudentHelper,它调用存储库 Class 来获取所有学生详细信息。下面是获取学生详细信息的代码。
model = await _repo.FilterAsync<StudentRbCasesLink>(s =>
containsTest(options, list, s, countyId) && s.student.Deleted = false && s.student.studentId !=0,
s=> s.student,
s => s.studentRbCase,
s=> s.studentRbCase.CurrentCounty,
s=> s.studentRbCase.Abawdtype);
dto => _mapper.Map<IEnumerable<Objects.DTO.StudentRbCases>>(model);
containsTest 是一种根据输入参数进行所有过滤的方法。此方法根据应用的过滤器返回布尔值,并将该布尔值发送到 repo class.
private bool containsTest(string options, Dictionary<string,string> list,
StudentRbCasesLink s,int countyId){
if(options.contains("FirstName")){
firstName = list["FirstName"].ToLower().ToString();
predicate = firstName != "&county" ?
(s.student.FirstName.ToLower().contains(firstName)).Tostring() :
"false";
}
if(options.contains("LastName")){
lastName = ............................
}
........................
return convert.ToBoolean(predicate);
}
下面是存储库 class 中的实际 FilterAsync 方法。 RepositoryClass.cs
public async Task<IQueryable<T>> FilterAsync<T>(Expression<Func<T,bool>> predicate, params Expression<Func<T,object>>[] includes) where T : class
{
return await Task.Run(()=> {
var query = _context.Set<T>().where(predicate).AsQueryable();
return includes.Aggregate(query, (current, includeProperty)
=> current.Include(includeProperty).asQueryable());
});
}
让我把问题描述清楚。我在这里通过参数功能进行搜索。一旦 studenthelper class 获取所有参数,它就会触发 studenthelper 中的 filterasync,后者又会触发 Repository class 中的实际方法 filterasync。因此,当我看到转换后 SQL 的 SQL 配置文件时,它显示了 SQL 查询,其中包含包含在 filterasync 中的所有连接,但到达了它所在的条件仅在 SQL 中应用 s.student !=0 条件,这使得查询非常慢(不在 where 条件中应用所有 conditions/filters 使其变慢)。它没有应用在生成 SQL 时 containsTest 方法中提到的任何条件,但是一旦光标点击下一个自动映射器(用于将模型转换为 dtos)行,光标正在点击 containsTest 方法并执行所有的过滤器。在引擎盖下,SQL 正在获取所有记录并将它们放入内存中并在点击自动映射器时应用过滤器。
我看过其他帖子,其中有人建议使用 Expression> predicate 而不是 Func predicate。但是,我的代码已经有了 Expression。任何人都可以帮助我如何编写 containsTest 方法,以便在转换为 SQL Query.Note 时应用条件,EF 使用的是 EntityFrameworkcore(1.1.2) 感谢您的帮助。
以下是我解决问题的方法: 首先,按照上面的建议,我已经删除了 containsTest 方法并将所有内容都写在同一个方法中。
var predicate = PredicateBuilder.True<StudentRbcasesLink>();
if (options.Contains("FirstName"))
{
firstName = list["FirstName"].ToLower().ToString();
Expression<Func<StudentRBbasesLink, bool>> expressionFirstName = x =>
x.Student.FirstName.StartsWith(firstName);
if (firstName != "&county") {
predicate = predicate.And(x => x.Student.FirstName.StartsWith(firstName));
}
}
if (options.Contains("LastName"))
{
lastName = list["LastName"].ToLower().ToString();
Expression<Func<StudenRbcasesLink, bool>> expressionLastName = x =>
x.Student.LastName.StartsWith(lastName);
predicate = !string.IsNullOrEmpty(firstName) ? predicate.And(x =>
x.Participant.LastName.StartsWith(lastName)) : expressionLastName;
...........
}
...............................
最大的问题是,如何在 expressions.Below 上动态执行逻辑与、逻辑或是使之成为可能的代码。( PredicateBuilder 是 class 用于动态地对表达式谓词执行逻辑操作)。
public static class PredicateBuilder
{
/// <summary>
/// Creates a predicate that evaluates to true.
/// </summary>
public static Expression<Func<T, bool>> True<T>() { return param => true; }
/// <summary>
/// Creates a predicate that evaluates to false.
/// </summary>
public static Expression<Func<T, bool>> False<T>() { return param => false; }
/// <summary>
/// Creates a predicate expression from the specified lambda expression.
/// </summary>
public static Expression<Func<T, bool>> Create<T>(Expression<Func<T, bool>> predicate) { return predicate; }
/// <summary>
/// Combines the first predicate with the second using the logical "and".
/// </summary>
public static Expression<Func<T, bool>> And<T>(this Expression<Func<T, bool>> first, Expression<Func<T, bool>> second)
{
return first.Compose(second, Expression.AndAlso);
}
/// <summary>
/// Combines the first predicate with the second using the logical "or".
/// </summary>
public static Expression<Func<T, bool>> Or<T>(this Expression<Func<T, bool>> first, Expression<Func<T, bool>> second)
{
return first.Compose(second, Expression.OrElse);
}
/// <summary>
/// Negates the predicate.
/// </summary>
public static Expression<Func<T, bool>> Not<T>(this Expression<Func<T, bool>> expression)
{
var negated = Expression.Not(expression.Body);
return Expression.Lambda<Func<T, bool>>(negated, expression.Parameters);
}
/// <summary>
/// Combines the first expression with the second using the specified merge function.
/// </summary>
static Expression<T> Compose<T>(this Expression<T> first, Expression<T> second, Func<Expression, Expression, Expression> merge)
{
// zip parameters (map from parameters of second to parameters of first)
var map = first.Parameters
.Select((f, i) => new { f, s = second.Parameters[i] })
.ToDictionary(p => p.s, p => p.f);
// replace parameters in the second lambda expression with the parameters in the first
var secondBody = ParameterRebinder.ReplaceParameters(map, second.Body);
// create a merged lambda expression with parameters from the first expression
return Expression.Lambda<T>(merge(first.Body, secondBody), first.Parameters);
}
class ParameterRebinder : ExpressionVisitor
{
readonly Dictionary<ParameterExpression, ParameterExpression> map;
ParameterRebinder(Dictionary<ParameterExpression, ParameterExpression> map)
{
this.map = map ?? new Dictionary<ParameterExpression, ParameterExpression>();
}
public static Expression ReplaceParameters(Dictionary<ParameterExpression, ParameterExpression> map, Expression exp)
{
return new ParameterRebinder(map).Visit(exp);
}
protected override Expression VisitParameter(ParameterExpression p)
{
ParameterExpression replacement;
if (map.TryGetValue(p, out replacement))
{
p = replacement;
}
return base.VisitParameter(p);
}
}
}
之前的问题是,我对布尔值而不是表达式进行逻辑运算。而表达式的逻辑运算只能通过上面的prediateBuilder来实现class.
下面是 FilterAsync 的代码
model = await _repo.FilterAsync<StudentRbCasesLink>(
predicate
s => s.student.studentId !=0,
s => s.student,
s => s.studentRbCase,
s => s.studentRbCase.CurrentCounty,
s => s.studentRbCase.Abawdtype);
dto => _mapper.Map<IEnumerable<Objects.DTO.StudentRbCases>>(model);
更改代码后,我转到 SQL Server Profiler 并测试了查询是如何形成的。它具有所有 必要的连接与 where 子句 提供的 where 子句根据搜索动态变化。
在此之后,当组合(意味着一次 2 或 3 个字段)为 given.Note 时,搜索将在 3 秒内发生 given.Note:以前,搜索通常需要 1 到 2 分钟。为必要的列创建一些索引和统计信息将其减少到不到 1 秒。