骨料
Aggregate
在序列上应用累加器函数。
int[] intList = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
int sum = intList.Aggregate((prevSum, current) => prevSum + current);
// sum = 55
- 第一步
prevSum = 1
- 在第二个
prevSum = prevSum(at the first step) + 2
- 在第 i 步
prevSum = prevSum(at the (i-1) step) + i-th element of the array
string[] stringList = { "Hello", "World", "!" };
string joinedString = stringList.Aggregate((prev, current) => prev + " " + current);
// joinedString = "Hello World !"
Aggregate
的第二次重载也接收 seed
参数,该参数是初始累加器值。这可用于计算集合上的多个条件,而无需多次迭代。
List<int> items = new List<int> { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12 };
对于我们想要计算的 items
的集合
- 总
.Count
- 偶数的数量
- 收集每个项目
使用 Aggregate
可以这样做:
var result = items.Aggregate(new { Total = 0, Even = 0, FourthItems = new List<int>() },
(accumelative,item) =>
new {
Total = accumelative.Total + 1,
Even = accumelative.Even + (item % 2 == 0 ? 1 : 0),
FourthItems = (accumelative.Total + 1)%4 == 0 ?
new List<int>(accumelative.FourthItems) { item } :
accumelative.FourthItems
});
// Result:
// Total = 12
// Even = 6
// FourthItems = [4, 8, 12]
请注意,使用匿名类型作为种子必须为每个项目实例化一个新对象,因为这些属性是只读的。使用自定义类可以简单地分配信息,不需要 new
(仅在给出初始 seed
参数时)