I want a method that operates similarly to following LINQ-to-SQL Where
method.
db.Where(r => r.Age == 42 && r.Name = "Joe");
I would like to take an implementation of:
Something something = Get<Something>()
.FilterBy(x => x.PropOne == 123 && x.PropTwo == 456);
and using a method like below; have the ability to access the Left.Name, Operator and Right.Value of each expression argument to perform work.
public static T FilterBy<T>(this T something, Expression<Func<T, object>> e)
{
// do work here
}
So far I can parse single condition like x => x.PropOne == 123
without the use of && or || using the below.
public static T FilterBy<T>(this T something, Expression<Func<T, object>> e)
{
BinaryExpression binaryExpression =
(BinaryExpression)((UnaryExpression)e.Body).Operand;
string left = ((MemberExpression)binaryExpression.Left).Member.Name;
string right = binaryExpression
.Right.GetType().GetProperty("Value")
.GetValue(binaryExpression.Right).ToString();
ExpressionType @operator = binaryExpression.NodeType;
return (T)Convert.ChangeType(something, typeof(T));
}
How can I access the each of the expression arguments when parts of expression combined with &&
or ||
?
Example Code
Here is an example of how to get the
&&
:Obviously the code for
&&
is not complete; you should get an idea.Also, I noticed that you pass in an object of type
T
. If this were to work like Linq-To-SQL where, it probably should be some kind of list or enumerable.Example:
public static T FilterBy<T>(this List<T> something, Expression<Func<T, object>> e)
Considerations
Just as a note of caution, a lot of different expressions can be passed into this method that will compile but will break your method.
Something something = Get<Something>().FilterBy(x => 123 == x.PropOne);
Something something = Get<Something>().FilterBy(x => x.Method() == 123);
Something something = Get<Something>().FilterBy(x => (x.PropOne == 123 || x.PropOne == 34) && x.PropTwo == 456 );
Make sure to verify that the expression is the type that you are expecting it to be.