Framework 3.5でC#を使用しています。 2つのプロパティでGeneric List <>をすばやくグループ化することを検討しています。この例のために、CustomerId、ProductId、およびProductCountのプロパティを持つOrderタイプのリストがあるとしましょう。ラムダ式を使用して、CustomerIdとProductIdでグループ化されたProductCountsの合計を取得するにはどうすればよいですか?
var sums = Orders.GroupBy(x => new { x.CustomerID, x.ProductID })
.Select(group => group.Sum(x => x.ProductCount));
私はこのスレッドが非常に古いことを理解していますが、この構文に苦労したため、追加の調査結果を投稿すると思いました-合計とID(foreachなし)を次のようなクエリで返すことができます:
var sums = Orders
.GroupBy(x => new { x.CustomerID, x.ProductID })
.Select(group =>new {group.Key, ProductCount = group.Sum(x => x.ProductCount)});
私がそれを機能させるためのトリッキーな部分は、明らかに、合計がエイリアスされる必要があるということです...
または、各合計のIDを取得する場合は、これを行うことができます
var customerAndProductGroups =
from order in Orders
orderby order.CustomerID, order.ProductID // orderby not necessary, but neater
group order by new { order.CustomerID, order.ProductID };
foreach (var customerAndProductGroup in customerAndProductGroups)
{
Console.WriteLine("Customer {0} has ordered product {1} for a total count of {2}",
customerAndProductGroup.Key.CustomerID,
customerAndProductGroup.Key.ProductID,
customerAndProductGroup.Sum(item => item.ProductCount));
}