我有以下LINQ到实体查询
from r in ctx.Rs
join p in ctx.Ps on r.RK equals p.RK
group r by r.QK into gr
select new { QK = (int)gr.Key, Num = gr.Count() }
针对此架构运行
Table P Table R Table Q
PK*
RK ----> RK*
Text QK ------> QK*
Text Text
并在Q中有任何记录而P中没有相应记录的情况下给出此消息:“由于具体化值为null,所以转换为值类型'Int32'失败。结果类型的泛型参数或查询必须使用可空的类型。“
问题是最后一行中的gr.Count(),但我找不到解决方案。我试图测试gr为null,但找不到有效的方法。
我已经看到使用Sum()而不是Count()的类似问题的一些解决方案,但我无法使它们适应我的问题。
我尝试将查询更改为Group and Count in Linq issue中的查询,但我收到了不同的消息。
我也看了Group and Count in Entity Framework(和其他一些人),但问题不同。
答案 0 :(得分:16)
组密钥不能为空
var results = ctx.Rs.Where(r => r.QK != null)
.GroupBy(r => r.QK)
.Select(gr => new { Key = (int)gr.Key, Count = gr.Count() }
.ToList();
PS。
大多数情况下,您不需要Entity Framework中的“JOIN”语法。见:Loading Related Entities
编写具有描述性的有意义的变量名称可以显着改善您的代码并使其易于理解。可读性在现实生产中很重要。
答案 1 :(得分:4)
我无法阅读您的格式。但你能尝试一下:
from r in ctx.Rs
join p in ctx.Ps.DefaultIfEmpty() on r.RK equals p.RK
group r by r.QK into gr
select new { QK = (int)gr.Key, Num = gr.Count(x => x.RK != null) }
DefaultIfEmpty
和x => x.RK != null
是更改。