C#PredicateBuilder实体:参数“f”未绑定在指定的LINQ to Entities查询表达式中

时间:2010-06-01 06:59:31

标签: c# linq-to-entities predicatebuilder

2 个答案:

答案 0 :(得分:122)

我遇到了同样的错误,问题似乎是当我使用PredicateBuilder创建的谓词时,它又由PredicateBuilder制作的其他谓词组成

e.g。 (A OR B)AND(X OR Y),其中一个构建器创建A OR B,一个创建X或Y,第三个将它们组合在一起。

只有一个级别的谓词AsExpandable工作正常,当引入多个级别时,我得到了同样的错误。

我无法找到任何帮助,但通过一些试验和错误,我能够让事情发挥作用。 每当我调用谓词时,我都会使用Expand扩展方法。

这是一些代码,为简单起见减少了:

public static IQueryable<Submission> AddOptionFilter(
    this IQueryable<Submission> query, 
    IEnumerable<IGrouping<int, int>> options)
{
    var predicate = options.Aggregate(
        PredicateBuilder.False<Submission>(),
        (accumulator, optionIds) => accumulator.Or(ConstructOptionMatchPredicate(optionIds).Expand()));
        query = query.Where(predicate.Expand());            
    return query;
}

Query是一个IQueryable,它已经调用了AsExpandable,ConstructOptionNotMatchPredicate返回一个Expression。

一旦我们克服了错误,我们肯定能够在运行时针对实体框架构建复杂的过滤器。

编辑:

由于人们仍在评论和投票,我认为它仍然有用所以我正在分享另一个修复。基本上我已经停止使用LinqKit,它的谓词构建器支持具有相同API但不需要Expand调用的Universal Predicate Builder,非常值得一试。

答案 1 :(得分:44)

我收到了这个错误,Mant101的解释给了我答案,但你可能正在寻找一个导致问题的更简单的例子:

// This predicate is the 1st predicate builder
var predicate = PredicateBuilder.True<Widget>();

// and I am adding more predicates to it (all no problem here)
predicate = predicate.And(c => c.ColumnA == 1);
predicate = predicate.And(c => c.ColumnB > 32);
predicate = predicate.And(c => c.ColumnC == 73);

// Now I want to add another "AND" predicate which actually comprises 
// of a whole list of sub-"OR" predicates
if(keywords.Length > 0)
{
    // NOTICE: Here I am starting off a brand new 2nd predicate builder....
    // (I'm not "AND"ing it to the existing one (yet))
    var subpredicate = PredicateBuilder.False<Widget>();

    foreach(string s in keywords)
    {
        string t = s;  // s is part of enumerable so need to make a copy of it
        subpredicate = subpredicate.Or(c => c.Name.Contains(t));
    }

    // This is the "gotcha" bit... ANDing the independent
    // sub-predicate to the 1st one....

    // If done like this, you will FAIL!
//  predicate = predicate.And(subpredicate); // FAIL at runtime!

    // To correct it, you must do this...
    predicate = predicate.And(subpredicate.Expand());  // OK at runtime!
}

希望这有帮助! : - )