10

我有以下类结构:

public class PriceLog
{
   public DateTime LogDateTime {get; set;}
   public int Price {get; set;}
}

对于List<PriceLog>我想要一个 Linq 查询来生成一个输出,该输出相当于如下所示的数据:

日志日期时间 | AVG(价格)
2012 年 1 月 | 2000年 2012 年
2 月 | 3000

简单地说:我想计算一年中每个月的平均价格。
注意:LogDateTime 属性的格式应为LogDateTime.ToString("MMM yyyy")

我尝试了以下方法,但不确定它是否会产生所需的结果:

var result = from priceLog in PriceLogList
                         group priceLog by priceLog.LogDateTime.ToString("MMM yyyy") into dateGroup
                         select new PriceLog { GoldPrice = (int)dateGroup.Average(p => p.GoldPrice), SilverPrice = (int)dateGroup.Average(p => p.SilverPrice)};
4

4 回答 4

21

这将为您提供一系列匿名对象,其中包含日期字符串和两个具有平均价格的属性:

var query = from p in PriceLogList
            group p by p.LogDateTime.ToString("MMM yyyy") into g
            select new { 
               LogDate = g.Key,
               AvgGoldPrice = (int)g.Average(x => x.GoldPrice), 
               AvgSilverPrice = (int)g.Average(x => x.SilverPrice)
            };

如果您需要获取 PriceLog 对象的列表:

var query = from p in PriceLogList
            group p by p.LogDateTime.ToString("MMM yyyy") into g
            select new PriceLog { 
               LogDateTime = DateTime.Parse(g.Key),
               GoldPrice = (int)g.Average(x => x.GoldPrice), 
               SilverPrice = (int)g.Average(x => x.SilverPrice)
            };
于 2013-01-19T20:03:44.700 回答
3
    from p in PriceLog
    group p by p.LogDateTime.ToString("MMM") into g
    select new 
    { 
        LogDate = g.Key.ToString("MMM yyyy"),
        GoldPrice = (int)dateGroup.Average(p => p.GoldPrice), 
        SilverPrice = (int)dateGroup.Average(p => p.SilverPrice) 
    }
于 2013-01-19T19:49:49.753 回答
3

你应该这样尝试:

var result =
        from priceLog in PriceLogList
        group priceLog by priceLog.LogDateTime.ToString("MMM yyyy") into dateGroup
        select new {
            LogDateTime = dateGroup.Key,
            AvgPrice = dateGroup.Average(priceLog => priceLog.Price)
        };
于 2013-01-19T20:02:30.367 回答
1
var result = priceLog.GroupBy(s => s.LogDateTime.ToString("MMM yyyy")).Select(grp => new PriceLog() { LogDateTime = Convert.ToDateTime(grp.Key), Price = (int)grp.Average(p => p.Price) }).ToList();

我已将其转换为 int 因为我的 Price 字段是 int 并且 Average 方法返回 double 。我希望这会有所帮助

于 2013-01-19T20:08:44.037 回答