实体框架核心-使用具有接口作为参数的表达式树

时间:2019-02-11 08:38:12

标签: c# entity-framework entity-framework-core expression-trees

在以下情况下,我将非常感谢您的帮助。 我有以下课程:

public class Product : IHasPrice
{
    public string Title { get; set; }
    public int Price { get; set; }
    public string CustomerId { get; set; }

}

public interface IHasPrice
{
    int Price { get; set; }
}

public class ProductProvider
{
    public ProductProvider()
    {
    }

    public IEnumerable<Product> GetByCustomer(string customerId, Expression<Func<IHasPrice, bool>> predicate = null)
    {
        using (var db = new ApplicationDbContext())
        {
            var queryable = db.Products.Where(p => p.CustomerId == customerId);
            if (predicate != null)
            {
                return queryable.Where(predicate).ToList();
            }
            else
            {
                return queryable.ToList();
            }
        }
    }
}

我希望启用ProductProvider的使用方式,使您只能按客户选择,但也可以按自己喜欢的任何方式(仅根据价格)过滤价格。 由于queryable.Where需要类型为Expression(Func(Product, bool))的参数,因此该示例不起作用。有没有办法做到这一点,或者我必须在过滤价格之前将数据提取到内存中?

1 个答案:

答案 0 :(得分:2)

由于IQueryable<out T>接口是协变量,因此传递的lambda表达式可以直接与Where方法一起使用:

var query = queryable.Where(predicate);

唯一的问题是,现在结果查询的类型为IQueryable<IHasPrice>。您可以使用IQueryable<Product>方法将其恢复为Queryable.Cast

var query = db.Products.Where(p => p.CustomerId == customerId);
if (predicate != null)
    query = query.Where(predicate).Cast<Product>(); // <--
return query.ToList();

经过测试并使用最新的EF Core 2.2(在某些早期版本中可能会失败)。


另一种解决方案是通过“调用”将Expression<Func<IHasPrice, bool>>转换为预期的Expression<Func<Product, bool>>

var query = db.Products.Where(p => p.CustomerId == customerId);
if (predicate != null)
{
    var parameter = Expression.Parameter(typeof(Product), "p");
    var body = Expression.Invoke(predicate, parameter);
    var newPredicate = Expression.Lambda<Func<Product, bool>>(body, parameter);
    query = query.Where(newPredicate);
}
return query.ToList();