Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Linq: Create logical inverse of expression

I would like to create a method that accepts an Expression<Func<T, bool>> and creates the logical inverse of it (i.e. it would return false where it would have returned true, and vice versa. This is much harder than I thought. This is where I am up to:

public static Expression<Func<T, bool>> Not<T>(this Expression<Func<T, bool>> expression)
{
  return Expression.Lambda<Func<T, bool>>(Expression.Not(expression.Body));
}

This compiles fine but throws the following Exception when called:

Test method Tests.Common.Unit.LinqPredicateBuilderTests.CanInverseAPredicate threw exception: 
System.ArgumentException: Incorrect number of parameters supplied for lambda declaration

I have no idea what I'm doing. Could anyone fill in the blanks?

like image 266
David Avatar asked Nov 07 '11 10:11

David


1 Answers

You're calling Expression.Lambda to create an expression with no parameters at all, when you should be forwarding the single parameter of the source expression.

Note that we are trying to create an Expression<Func<T, bool>> and not an Expression<Func<bool>>.

Try this instead:

return Expression.Lambda<Func<T, bool>>(Expression.Not(expression.Body),
                                        expression.Parameters);
like image 152
Ani Avatar answered Oct 05 '22 08:10

Ani