我的模型(使用 Entity Framework 生成,请记住我已经为示例简化了它)如下所示:
public class Person
{
public string Name { get; set; }
protected virtual ICollection<PersonHouseMapping> PersonHouseMappings { get; set; }
public virtual IReadOnlyCollection<House> GetHouses(Func<House, bool> where = null)
{
var houses = PersonHouseMappings.Select(x => x.House);
if (where != null)
houses = houses.Where(where);
return houses.ToList().AsReadOnly();
}
public void AddHouse(House house, DateTime movingDate)
{
PersonHouseMappings.Add(new PersonHouseMapping
{
Person = this,
House = house,
MovingDate = movingDate
});
}
}
public class House
{
public int Number { get; set; }
protected virtual ICollection<PersonHouseMapping> PersonHouseMappings { get; set; }
}
internal class PersonHouseMapping
{
public virtual Person Person { get; set; }
public virtual House House { get; set; }
public DateTime MovingDate { get; set; }
}
Person 和 Houses 之间存在 N:M 关系,由 PersonHouseMapping 实体表示。通常 EF 会用一个导航属性来表示它,但是因为除了关系的每个实体部分的 PK 之外,PersonHouseMapping 还有一个额外的字段,它不能这样做。
为了从我的库的用户中抽象出 PersonHouseMapping,因为它不像具有导航属性那样干净,我已经使 ICollection 受到保护,并通过可以在 Person 类中看到的方法公开查询/添加功能。我不希望用户修改返回的集合,因为他们可能认为在“GetHouses”的结果中添加一个新的房子会被保存到数据库中,但事实并非如此。为了强制他们调用“AddHouse”,我将返回类型设为 IReadOnlyCollection。
问题是,当我想为 Person 构造一个包含与其房屋相关的条件的查询时,LINQ 无法将表达式转换为有效的 Linq to Entities 之一。假设我们要查询所有拥有 1 号房屋的人:
dbContext.Persons.Where(p => p.GetHouses(h => h.Number == 1).Any()).ToList();
这不起作用,并抛出异常:
LINQ to Entities does not recognize the method 'System.Collections.Generic.IReadOnlyCollection`1[Namespace.House] GetHouses(System.Func`2[Namespace.House,System.Boolean])' method, and this method cannot be translated into a store expression.
这是有道理的。但是我怎样才能在保留执行这些查询的能力的同时完成我想要的呢?有没有像 IEnumerable 这样不能实例化为列表的东西?
编辑:我认为通过返回 IEnumerable 而不是 IReadOnlyCollection 查询会起作用(尽管它不能解决我的问题),但事实并非如此。为什么无法创建表达式?
编辑 2:返回 IEnumerable 也不起作用的原因是问题不在于类型,问题在于在 LINQ 表达式中间有一个方法调用。它需要直接翻译成商店查询,所以没有方法调用:(
非常感谢