ทีนี้คุณสามารถใช้Expression.AndAlso
/ OrElse
etc เพื่อรวมนิพจน์เชิงตรรกะ แต่ปัญหาคือพารามิเตอร์ คุณทำงานกับParameterExpression
expr1 และ expr2 เหมือนกันหรือไม่ ถ้าเป็นเช่นนั้นจะง่ายกว่า:
var body = Expression.AndAlso(expr1.Body, expr2.Body);
var lambda = Expression.Lambda<Func<T,bool>>(body, expr1.Parameters[0]);
สิ่งนี้ยังทำงานได้ดีในการปฏิเสธการดำเนินการเดียว:
static Expression<Func<T, bool>> Not<T>(
this Expression<Func<T, bool>> expr)
{
return Expression.Lambda<Func<T, bool>>(
Expression.Not(expr.Body), expr.Parameters[0]);
}
มิฉะนั้นขึ้นอยู่กับผู้ให้บริการ LINQ คุณอาจรวมเข้ากับInvoke
:
// OrElse is very similar...
static Expression<Func<T, bool>> AndAlso<T>(
this Expression<Func<T, bool>> left,
Expression<Func<T, bool>> right)
{
var param = Expression.Parameter(typeof(T), "x");
var body = Expression.AndAlso(
Expression.Invoke(left, param),
Expression.Invoke(right, param)
);
var lambda = Expression.Lambda<Func<T, bool>>(body, param);
return lambda;
}
ที่ไหนสักแห่งฉันมีรหัสบางอย่างที่เขียนทรีนิพจน์ทรีแทนโหนดเพื่อลบความต้องการInvoke
แต่มันค่อนข้างยาว (และฉันจำไม่ได้ว่าฉันทิ้งไว้ที่ใด ... )
เวอร์ชันทั่วไปที่เลือกเส้นทางที่ง่ายที่สุด:
static Expression<Func<T, bool>> AndAlso<T>(
this Expression<Func<T, bool>> expr1,
Expression<Func<T, bool>> expr2)
{
// need to detect whether they use the same
// parameter instance; if not, they need fixing
ParameterExpression param = expr1.Parameters[0];
if (ReferenceEquals(param, expr2.Parameters[0]))
{
// simple version
return Expression.Lambda<Func<T, bool>>(
Expression.AndAlso(expr1.Body, expr2.Body), param);
}
// otherwise, keep expr1 "as is" and invoke expr2
return Expression.Lambda<Func<T, bool>>(
Expression.AndAlso(
expr1.Body,
Expression.Invoke(expr2, param)), param);
}
เริ่มจาก. NET 4.0 มีExpressionVisitor
คลาสที่อนุญาตให้คุณสร้างนิพจน์ที่ปลอดภัยของ EF
public static Expression<Func<T, bool>> AndAlso<T>(
this Expression<Func<T, bool>> expr1,
Expression<Func<T, bool>> expr2)
{
var parameter = Expression.Parameter(typeof (T));
var leftVisitor = new ReplaceExpressionVisitor(expr1.Parameters[0], parameter);
var left = leftVisitor.Visit(expr1.Body);
var rightVisitor = new ReplaceExpressionVisitor(expr2.Parameters[0], parameter);
var right = rightVisitor.Visit(expr2.Body);
return Expression.Lambda<Func<T, bool>>(
Expression.AndAlso(left, right), parameter);
}
private class ReplaceExpressionVisitor
: ExpressionVisitor
{
private readonly Expression _oldValue;
private readonly Expression _newValue;
public ReplaceExpressionVisitor(Expression oldValue, Expression newValue)
{
_oldValue = oldValue;
_newValue = newValue;
}
public override Expression Visit(Expression node)
{
if (node == _oldValue)
return _newValue;
return base.Visit(node);
}
}