I want to generate expression by string parameter,some code like:
private Expression> Generate(string orderby)
{
switch (orderb
Using reflection and expression-trees you can provide the parameters and then call OrderBy
function, Instead of returning Expression<Func<Task, T>>
and then calling OrderBy
.
Note that OrderBy
is an extension method and has implemented in both System.Linq.Enumarable
and System.Linq.Queryable
classes. The first one is for linq-to-objects and the latter is for linq-to-entities. entity-framework needs the expression tree of the query in order to translate it to SQL commands. So we use the Queryable
implementation.
It can be done by an extension method(explanations added as comments):
public static IOrderedQueryable<TSource> OrderBy<TSource>(
this IQueryable<TSource> query, string propertyName)
{
var entityType = typeof(TSource);
//Create x=>x.PropName
var propertyInfo = entityType.GetProperty(propertyName);
ParameterExpression arg = Expression.Parameter(entityType, "x");
MemberExpression property = Expression.Property(arg, propertyName);
var selector = Expression.Lambda(property, new ParameterExpression[] { arg });
//Get System.Linq.Queryable.OrderBy() method.
var enumarableType = typeof(System.Linq.Queryable);
var method = enumarableType.GetMethods()
.Where(m => m.Name == "OrderBy" && m.IsGenericMethodDefinition)
.Where(m =>
{
var parameters = m.GetParameters().ToList();
//Put more restriction here to ensure selecting the right overload
return parameters.Count == 2;//overload that has 2 parameters
}).Single();
//The linq's OrderBy<TSource, TKey> has two generic types, which provided here
MethodInfo genericMethod = method
.MakeGenericMethod(entityType, propertyInfo.PropertyType);
/*Call query.OrderBy(selector), with query and selector: x=> x.PropName
Note that we pass the selector as Expression to the method and we don't compile it.
By doing so EF can extract "order by" columns and generate SQL for it.*/
var newQuery = (IOrderedQueryable<TSource>)genericMethod
.Invoke(genericMethod, new object[] { query, selector });
return newQuery;
}
Now you can call this overload of OrderBy
like any other overload of it.
For example:
var cheapestItems = _context.Items.OrderBy("Money").Take(10).ToList();
Which translates to:
SELECT TOP (10) {coulmn names} FROM [dbo].[Items] AS [Extent1]
ORDER BY [Extent1].[Money] ASC
This approach can be used to define all overloads of OrderBy
and OrderByDescending
methods to have string
property selector.
I referred to the old System.Linq.Dynamic codebase in CodePlex and created a quite simple version from the perspective of implementation and invocation. Of course, it's an extension method on IQueryable<T>
/*
using System;
using System.Linq;
using System.Linq.Expressions;
*/
public static IQueryable<T> OrderBy<T>(this IQueryable<T> query, string orderByExpression)
{
if (string.IsNullOrEmpty(orderByExpression))
return query;
string propertyName, orderByMethod;
string[] strs = orderByExpression.Split(' ');
propertyName = strs[0];
if (strs.Length == 1)
orderByMethod = "OrderBy";
else
orderByMethod = strs[1].Equals("DESC", StringComparison.OrdinalIgnoreCase) ? "OrderByDescending" : "OrderBy";
ParameterExpression pe = Expression.Parameter(query.ElementType);
MemberExpression me = Expression.Property(pe, propertyName);
MethodCallExpression orderByCall = Expression.Call(typeof(Queryable), orderByMethod, new Type[] { query.ElementType, me.Type }, query.Expression
, Expression.Quote(Expression.Lambda(me, pe)));
return query.Provider.CreateQuery(orderByCall) as IQueryable<T>;
}
Here is samples how to use it, tested for Entity Framework Core 3:
IQueryable<Person> query = dbContext.People;
query = query.OrderBy("FirstName"); // ORDER BY FirstName
IQueryable<Person> query = dbContext.People;
query = query.OrderBy("FirstName ASC"); // ORDER BY FirstName
IQueryable<Person> query = dbContext.People;
query = query.OrderBy("FirstName DESC"); // ORDER BY FirstName DESC
public static IQueryable<T> OrderByHelper<T>(this IQueryable<T> source, string propertyName, string sortDirection)
{
try
{
if (source == null)
{
return source;
}
if (propertyName == null)
{
return source;
}
propertyName = propertyName.First().ToString().ToUpper(new CultureInfo("en-US", false)) + propertyName.Substring(1);
var type = typeof(T);
var arg = Expression.Parameter(type, "x");
var propertyInfo = type.GetProperty(propertyName);
var mExpr = Expression.Property(arg, propertyInfo);
type = propertyInfo.PropertyType;
var delegateType = typeof(Func<,>).MakeGenericType(typeof(T), type);
var lambda = Expression.Lambda(delegateType, mExpr, arg);
var methodName = !string.IsNullOrEmpty(sortDirection) && sortDirection.ToLower(new CultureInfo("en-US", false)) == "desc" ? "OrderByDescending" : "OrderBy";
var orderedSource = typeof(Queryable).GetMethods().Single(
method => method.Name == methodName
&& method.IsGenericMethodDefinition
&& method.GetGenericArguments().Length == 2
&& method.GetParameters().Length == 2)
.MakeGenericMethod(typeof(T), type)
.Invoke(null, new object[] { source, lambda });
return (IQueryable<T>)orderedSource;
}
catch (Exception)
{
return source;
}
}
You could try converting the Generate
method in a generic method:
private Expression<Func<Task, TResult>> Generate<TResult>(string orderby)
{
switch (orderby)
{
case "Time":
return t => t.Time;
case "Money":
return t => t.RewardMoney;
default:
return t => t.Id;
}
}
So, if you call this method, you need to specify the type of the property that you want to order by:
_context.Items.OrderBy(Generate<decimal>("Money"));
Now remember that TResult
can only be a primitive type or enumeration type.
Use a generic method. Since lambda expressions can only be assigned to strongly typed delegates or expressions, we must use an according temp. Then we can assign this temp to a variable typed as object
. Finally we can return the result by casting to the result type.
public Expression<Func<Task, TResult>> Generate<TResult>(string orderby)
{
object result;
switch (orderby) {
case "Time":
Expression<Func<Task, DateTime>> temp1 = t => t.Time;
result = temp1;
break;
case "Money":
Expression<Func<Task, decimal>> temp2 = t => t.RewardMoney;
result = temp2;
break;
default:
Expression<Func<Task, int>> temp3 = t => t.Id;
result = temp3;
break;
}
return (Expression<Func<Task, TResult>>)result;
}