12

我有一些最近从 EF 4.2 升级到 EF 5.0 的代码(实际上是 EF 4.4,因为我在 .Net 4.0 上运行)。我发现我必须更改查询的语法,我很好奇为什么。让我从问题开始。

我有一个由客户端定期填充的 EventLog 表。对于每个事件日志,都会在报告表中创建一个条目。这是定期运行的查询,用于发现报告表中还没有条目的任何事件日志。我在 EF 4.2 中使用的查询是:

from el in _repository.EventLogs
where !_repository.Reports.Any(p => p.EventLogID == el.EventlogID)

由于升级到 EF 5.0,我在运行时收到以下错误:

System.NotSupportedException:无法创建“Namespace.Report”类型的常量值。此上下文仅支持原始类型或枚举类型。

我发现用连接语法重写它解决了这个问题。以下在 EF 5.0 中有效,大致等效:

from eventLog in _repository.EventLogs
join report in _repository.Reports on eventLog.EventlogID equals report.EventLogID into alreadyReported
where !alreadyReported.Any()

有些人可能对第一个查询的混合语法/样式有不同的看法,但我真的更感兴趣的是为什么会这样。EF 4.2 编译器可以为原始查询生成 SQL 但 EF 5.0 拒绝,这似乎很奇怪。这是我缺少的设置还是只是两者之间的约束收紧?为什么会这样?

4

2 回答 2

2

问题是由您的存储库返回的类型引起的;_repository.Reports不是时可以重现问题IQueryable<T>。在这种情况下,Reports被视为非标量变量;顺便说一句,在 LINQ 中是不允许的。请参阅不支持引用非标量变量

关于第二个查询为什么起作用的问题,基本上是IQueryable<T>哪个组将其加入的以下扩展方法IEnumerable<TInner>

public static IQueryable<TResult> GroupJoin<TOuter, TInner, TKey, TResult>(
    this IQueryable<TOuter> outer,IEnumerable<TInner> inner,
    Expression<Func<TOuter, TKey>> outerKeySelector,
    Expression<Func<TInner, TKey>> innerKeySelector,
    Expression<Func<TOuter, IEnumerable<TInner>, TResult>> resultSelector)

它只接受外部和内部的键选择器的表达式(而不是引用非标量变量);其中上述约束不适用。

注意:如果_repository.ReportsIQueryable<T>第一个查询将起作用;因为 EF 将正确构建表达式树并执行相应的 SQL。

于 2013-10-02T08:42:44.173 回答
0

只是出于好奇,您是否尝试过转换

from el in _repository.EventLogs
where !_repository.Reports.Any(p => p.EventLogID == el.EventlogID)

from el in _repository.EventLogs
where !_repository.Reports.Where(p => p.EventLogID == el.EventlogID).Any();

或者

from el in _repository.EventLogs
where !_repository.Reports.Where(p => p.EventLogID == el.EventlogID).Count() > 0;
于 2013-09-25T13:56:04.967 回答