views:

512

answers:

2

how can I create a dynamic lambda expression to pass to use in my orderby function inside linq? I basically want transform "queryResults.OrderByDescending();" in "queryResults.OrderByDescending(myCustomGeneratedLambdaExp);" where myCustomGeneratedLambdaExp shall be a string containning "x => x.name"

Thanks

+2  A: 

See Dynamic LINQ

Alternately, you can use a switch statement, Reflection or the dynamic type in C# 4 to return the value based on a supplied field name.

This has also been done to death previously

Ruben Bartelink
Thanks a lot for your input! My point is to avoid switch code and reflection make it slower.
byte_slave
Yes, makes sense. Good luck with it. Using dynamic and/or Iron* is more clean than Dynamic LINQ or reflection.emit or Expression.Compile though if you're trying to keep your code maintainable and Clean IMO.
Ruben Bartelink
Thanks again for the great input.
byte_slave
+3  A: 

I'm not sure where exactly did you need dynamic lambda expressions. Anyways, the best way to generate lambda expressions dynamically is by using expression trees. Here are two good tutorials on the subject:

This code generates a lambda expression like the one you asked for ("x => x.name"):

MemberInfo member = typeof(AClassWithANameProperty).GetProperty("Name");

//Create 'x' parameter expression
ParameterExpression xParameter = Expression.Parameter(typeof(object), "x");

//Create body expression
Expression body = Expression.MakeMemberAccess(targetParameter, member);

//Create and compile lambda
var lambda = Expression.Lambda<LateBoundGetMemberValue>(
    Expression.Convert(body, typeof(string)),
    targetParameter
);
return lambda.Compile();

hope this helps

jpbochi
Thanks for the nice example! It helped me a lot!
byte_slave