c#通用Linq查询
本文关键字:查询 Linq 通用 | 更新日期: 2023-09-27 18:08:21
我需要写一些像这样的通用搜索方法:
public List<T> Search<T>(SearchParamsBase searchParams)
{
using (var context = new TestEntities())
{
var dataType = TypeMap.Get(typeof (T));
var dataSet = context.Set(dataType);
var searchQuery = CreateQuery((IEnumerable<object>) dataSet), searchParams)
return searchQuery.ToList()
}
}
,我有一个函数CreateQuery()
,它应该过滤IEnumerable
对象。这个函数对于所有类都是不同的。例如:
CreateQuery(IEnumerable<object> collection, SearchParamsBase searchParams)
{
var search = (SomeSearchImplementation)searchParams;
// filter
collection = collection.Where(x => x.Name == search.Name);
// select page
collection = collection.Skip(search.Page * search.CountPerPage);
collection = collection.Take(search.CountPerPage);
// order by and so on
// ...
return collection;
}
我怎样才能正确地实现这个想法?
这里要做的基本上是动态构造一个LINQ查询。为此,您需要在运行时修改/构建表达式树。如果您不熟悉表达式树和Expression<T>
类型,我建议您阅读本文和"See also"部分中的参考页面:
现在您已经了解了基本概念,让我们实现动态排序。下面的方法是IQueryable<T>
的扩展,这意味着它不仅适用于列表,而且适用于每个LINQ数据源,因此您也可以直接对数据库使用它(当涉及分页和排序时,它比内存操作更有效)。该方法接受要排序的属性名和排序方向(升序/降序):
public static IQueryable<T> OrderByDynamic<T>(this IQueryable<T> query, string sortColumn, bool descending)
{
// Dynamically creates a call like this: query.OrderBy(p => p.SortColumn)
var parameter = Expression.Parameter(typeof(T), "p");
string command = "OrderBy";
if (descending)
{
command = "OrderByDescending";
}
Expression resultExpression = null;
var property = typeof(T).GetProperty(sortColumn);
// this is the part p.SortColumn
var propertyAccess = Expression.MakeMemberAccess(parameter, property);
// this is the part p => p.SortColumn
var orderByExpression = Expression.Lambda(propertyAccess, parameter);
// finally, call the "OrderBy" / "OrderByDescending" method with the order by lamba expression
resultExpression = Expression.Call(typeof(Queryable), command, new Type[] { typeof(T), property.PropertyType },
query.Expression, Expression.Quote(orderByExpression));
return query.Provider.CreateQuery<T>(resultExpression);
}
现在你可以写这段代码来排序数据集的Name
属性在ascending
的顺序:
dataSet.OrderByDynamic("Name", false)
创建动态过滤的扩展方法遵循相同的模式。如果你理解了上面的代码,这对你来说就不是问题了。