在LinqToEntities中,如何将动态列名传递给DbFunctions.Like

问题描述 投票:1回答:1

我在实体框架中的IQueryable<T>中有一个DbSet。我提供了一个名为searchText的“模糊搜索字符串”,如下所示:

public List<T> Search<T>(string searchText)
{
    using (var context = ...)
    {
        var baseQuery = context.Set<T>().AsQueryable();
        baseQuery = baseQuery.Where(x =>
            DbFunctions.Like(x.PropertyName, searchText)
            || DbFunctions.Like(x.PropertyTwo, searchText)
            || DbFunctions.Like(x.PropertyThree, searchText)
            || DbFunctio..... etc
        );
        return baseQuery.ToList();
    }
}

但是鉴于一般性质,我不知道类型上有哪些属性。我可以为实现此目标的人提供一种抽象方法,使他们可以给我一个属性列表(甚至PropertyInfo或其他任何值,我都可以弄清楚)。但是我不知道如何动态创建表达式。这是我到目前为止的内容:

var baseQuery = context.Set<T>().AsQueryable();
var expression = baseQuery.Expression;
var colName = "colName"; // Or names, I can iterate.

var parameter = Expression.Parameter(typeof(T), "x");
var selector = Expression.PropertyOrField(parameter, colName);
expression = Expression.Call(typeof(DbFunctions), nameof(DbFunctions.Like),
    new Type[] { baseQuery.ElementType, selector.Type },
    expression, Expression.Quote(Expression.Lambda(selector, parameter)));

这里的问题是...嗯,从一开始就行不通。但是主要是因为我没有在其中任何地方使用searchText,也不知道如何插入。我想我已经很近了,但是花了太多时间在上面。

c# entity-framework-6 linq-to-entities iqueryable linq-expressions
1个回答
0
投票

希望我的查询逻辑正确:如果您想基于已知类型和列名列表构建一组LIKE条件,则可以尝试如下操作:

static private MethodInfo dbLikeMethod = typeof(DbFunctions).GetMethod(nameof(DbFunctions.Like), BindingFlags.Public | BindingFlags.Static, null, new Type[] {typeof(string), typeof(string)}, null); // I am targeting DbFunctions.Like(string, string). You might want another overload (or even mix them up depending on your inputs)

public List<T> Search<T>(string searchText) where T: class
{

    using (var context = new ...)
    {
        var baseQuery = context.Set<T>().AsQueryable().Where(CreateExpression<T>(searchText));// you could probably find a more elegant way of plugging it into your query
        return baseQuery.ToList();
    }
}

Expression<Func<T, bool>> CreateExpression<T>(string searchText) where T : class
{   
    var cols = new List<string> {
        "PropertyName",
        "PropertyTwo" // i understand you've got a way to figure out which strings you need here
    };

    var parameter = Expression.Parameter(typeof(T), "x");   
    var dbLikeCalls = cols.Select(colName => Expression.Call(dbLikeMethod, Expression.PropertyOrField(parameter, colName), Expression.Constant(searchText))); // for convenience, generate list of DbFunctions.Like(x.<Property>, searchText) expressions here
    var aggregatedCalls = dbLikeCalls.Skip(1).Aggregate((Expression)dbLikeCalls.First(), (accumulate, call) => Expression.OrElse(accumulate, call)); // aggregate the list using || operators: use first item as a seed and keep adding onto it

    return Expression.Lambda<Func<T, bool>>(aggregatedCalls, parameter);
}
© www.soinside.com 2019 - 2024. All rights reserved.