如何在Linq to Entity Framework的表达式中使用Func?

时间:2013-09-27 13:50:15

标签: c# linq entity-framework expression func

我正在尝试将linq写入实体扩展方法,该方法使用Func选择属性Id并将其与ID列表进行比较。

public class A
{
    public int AId { get; set; }
}

public class B
{
    public int BId { get; set; }
}

扩展方法

public static IQueryable<T> WithId<T>(this IQueryable<T> entities,
    Func<T, int> selector, IList<int> ids)
    {
        Expression<Func<T, bool>> expression = x => ids.Contains(selector(x));
        return entities.Where(expression); // error here (when evaluated)
    }

通话方式

var ids = new List<int> { 1, 2, 3 };
DbContext.EntityAs.WithId(e => e.AId, ids);
DbContext.EntityBs.WithId(e => e.BId, ids);

我遇到的问题是它正在尝试调用Entity Framework中不允许的功能。

如何使用属性选择器(Func)来评估查询?

1 个答案:

答案 0 :(得分:16)

您必须传递Expression<Func<T, int>>而不是Func<T, int>并自行构建完整的表达式。这样就可以了:

public static IQueryable<T> WithId<T>(this IQueryable<T> entities,
    Expression<Func<T, int>> propertySelector, ICollection<int> ids)
{
    var property =
        (PropertyInfo)((MemberExpression)propertySelector.Body).Member;

    ParameterExpression parameter = Expression.Parameter(typeof(T));

    var expression = Expression.Lambda<Func<T, bool>>(
        Expression.Call(
            Expression.Constant(ids),
            typeof(ICollection<int>).GetMethod("Contains"), 
            Expression.Property(parameter, property)), 
        parameter);

    return entities.Where(expression);
}

当您在使用O / RM时尝试保持代码干燥时,通常需要摆弄表达式树。这是another fun example