我想使用LINQ to SQL
创建动态查询构建器为此,我创建了我的界面,在
中添加了每个动态条件List<Expression<Func<T,bool>>>
界面如下:
public interface IExpression<T>
{
IExpression<T> AddWhere(Expression<Func<T,bool>> whereCriteria);
}
现在我想组合列表中的所有表达式并使用“和”条件构造where子句并执行查询。
我试过结合表达但没有成功尝试。
有人可以帮忙吗?或者请建议任何其他替代方案。
答案 0 :(得分:3)
最简单的方法是使用PredicateBuilder:http://www.albahari.com/nutshell/predicatebuilder.aspx
基本上,您所要做的就是使用这个助手类:
using System;
using System.Linq;
using System.Linq.Expressions;
using System.Collections.Generic;
public static class PredicateBuilder
{
public static Expression<Func<T, bool>> True<T> () { return f => true; }
public static Expression<Func<T, bool>> False<T> () { return f => false; }
public static Expression<Func<T, bool>> Or<T> (this Expression<Func<T, bool>> expr1,
Expression<Func<T, bool>> expr2)
{
var invokedExpr = Expression.Invoke (expr2, expr1.Parameters.Cast<Expression> ());
return Expression.Lambda<Func<T, bool>>
(Expression.OrElse (expr1.Body, invokedExpr), expr1.Parameters);
}
public static Expression<Func<T, bool>> And<T> (this Expression<Func<T, bool>> expr1,
Expression<Func<T, bool>> expr2)
{
var invokedExpr = Expression.Invoke (expr2, expr1.Parameters.Cast<Expression> ());
return Expression.Lambda<Func<T, bool>>
(Expression.AndAlso (expr1.Body, invokedExpr), expr1.Parameters);
}
}
然后你可以这样使用它:
public static Expression<Func<Product, bool>> ContainsInDescription (
params string[] keywords)
{
var predicate = PredicateBuilder.False<Product>();
foreach (string keyword in keywords)
{
string temp = keyword;
predicate = predicate.Or (p => p.Description.Contains (temp));
}
return predicate;
}
(代码和示例都来自上面的链接,我只是在这里发布,以防链接在某个时候不起作用。)
由于您的界面不使用泛型这一事实,您的特定情况有些复杂。您能否展示更多相关代码,以便我可以帮助您更好地根据实际需求定制此解决方案?