0

被看似简单的问题难住了。我有

var SummaryCollection = (from n in ...long criteria with group by clause) 
into g select new 
{     MonthYear = g.Key, 
      Amount = g.Sum(p=>p.Amount)}).OrderBy(p=>p.MonthYear);
}

我现在得到看起来像这样的数据

Jan2009 $100
Feb2009 $134
... and so on

最后我有

  decimal avgAmount = (from x in SummaryCollection select x.Amount).Average();

我现在需要获取用户在文本框中输入 N 的最后 N 个月的平均值。请告知如何使用 Linq 从有序集合中获取最后 N 的平均值。谢谢你

4

2 回答 2

3

如果您知道集合(或使用Count())中的项目数,则可以跳过第一个Count - N项目:

 decimal avgAmount = SummaryCollection.Skip(SummaryCollection.Count() - N)
                                      .Select(x => x.Amount)
                                      .Average();
于 2012-05-23T21:43:21.620 回答
3

我创建了一个扩展方法,它使用Queue<T>不需要调用.Count序列或多次迭代的 a 。

public static IEnumerable<T> TakeLast<T>(this IEnumerable<T> @this, int n) {
    var queue = new Queue<T>(n + 1);

    foreach (var element in @this) {
        queue.Enqueue(element);

        if(queue.Count > n) queue.Dequeue();
    }

    return queue;
}

要使用它,如果您的列表被调用sequence,只需调用sequence.TakeLast(n)以获取最后的n记录。

于 2012-05-23T22:06:49.400 回答