慢速EF查询按月/年分组数据

本文关键字:数据 EF 查询 慢速 | 更新日期: 2023-09-27 18:17:09

我有一个大约有100万条记录的记录集。我正试图查询记录以报告每月的数字。

下面的MySQL查询执行大约0.3秒

SELECT SUM(total), MONTH(create_datetime), YEAR(create_datetime) 
FROM orders GROUP BY MONTH(create_datetime), YEAR(create_datetime)

然而,我无法找出一个实体框架lambda表达式,可以执行任何接近快

我想到的唯一有效的语句是

var monthlySales = db.Orders
                     .Select(c => new
                     {
                         Total = c.Total,
                         CreateDateTime = c.CreateDateTime
                     })
                     .GroupBy(c => new { c.CreateDateTime.Year, c.CreateDateTime.Month })
                     .Select(c => new
                     {
                         CreateDateTime = c.FirstOrDefault().CreateDateTime,
                         Total = c.Sum(d => d.Total)
                     })
                     .OrderBy(c => c.CreateDateTime)
                     .ToList();

但是它非常慢。

如何让这个查询像直接在MySQL中执行一样快

慢速EF查询按月/年分组数据

当您在查询中间(在进行分组之前)执行". tolist()"时,EF将有效地在内存中查询数据库中的所有订单,然后在c#中进行分组。根据表中的数据量,这可能需要一段时间,我认为这就是为什么你的查询如此缓慢的原因。

尝试重写您的查询,只有一个表达式枚举结果(ToList, ToArray, AsEnumerable)

试试这个:

var monthlySales = from c in db.Orders
                   group c by new { y = c.CreateDateTime.Year, m = c.CreateDateTime.Month } into g
                   select new {
                       Total = c.Sum(t => t.Total),
                       Year = g.Key.y,
                       Month = g.Key.m }).ToList();

我遇到了这个执行速度很快的设置

            var monthlySales = db.Orders
                 .GroupBy(c => new { Year = c.CreateDateTime.Year, Month = c.CreateDateTime.Month })
                 .Select(c => new
                 {
                     Month = c.Key.Month,
                     Year = c.Key.Year,
                     Total = c.Sum(d => d.Total)
                 })
                 .OrderByDescending(a => a.Year)
                 .ThenByDescending(a => a.Month)
                 .ToList();