Enumerable.Aggregate Метод
Определение
Перегрузки
Aggregate<TSource,TAccumulate,TResult>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>, Func<TAccumulate,TResult>) |
Применяет к последовательности агрегатную функцию.Applies an accumulator function over a sequence. Указанное начальное значение служит исходным значением для агрегатной операции, а указанная функция используется для выбора результирующего значения.The specified seed value is used as the initial accumulator value, and the specified function is used to select the result value. |
Aggregate<TSource,TAccumulate>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>) |
Применяет к последовательности агрегатную функцию.Applies an accumulator function over a sequence. Указанное начальное значение используется в качестве исходного значения агрегатной операции.The specified seed value is used as the initial accumulator value. |
Aggregate<TSource>(IEnumerable<TSource>, Func<TSource,TSource,TSource>) |
Применяет к последовательности агрегатную функцию.Applies an accumulator function over a sequence. |
Aggregate<TSource,TAccumulate,TResult>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>, Func<TAccumulate,TResult>)
Применяет к последовательности агрегатную функцию.Applies an accumulator function over a sequence. Указанное начальное значение служит исходным значением для агрегатной операции, а указанная функция используется для выбора результирующего значения.The specified seed value is used as the initial accumulator value, and the specified function is used to select the result value.
public:
generic <typename TSource, typename TAccumulate, typename TResult>
[System::Runtime::CompilerServices::Extension]
static TResult Aggregate(System::Collections::Generic::IEnumerable<TSource> ^ source, TAccumulate seed, Func<TAccumulate, TSource, TAccumulate> ^ func, Func<TAccumulate, TResult> ^ resultSelector);
public static TResult Aggregate<TSource,TAccumulate,TResult> (this System.Collections.Generic.IEnumerable<TSource> source, TAccumulate seed, Func<TAccumulate,TSource,TAccumulate> func, Func<TAccumulate,TResult> resultSelector);
static member Aggregate : seq<'Source> * 'Accumulate * Func<'Accumulate, 'Source, 'Accumulate> * Func<'Accumulate, 'Result> -> 'Result
<Extension()>
Public Function Aggregate(Of TSource, TAccumulate, TResult) (source As IEnumerable(Of TSource), seed As TAccumulate, func As Func(Of TAccumulate, TSource, TAccumulate), resultSelector As Func(Of TAccumulate, TResult)) As TResult
Параметры типа
- TSource
Тип элементов source
.The type of the elements of source
.
- TAccumulate
Тип агрегатного значения.The type of the accumulator value.
- TResult
Тип результирующего значения.The type of the resulting value.
Параметры
- source
- IEnumerable<TSource>
Объект IEnumerable<T>, для которого выполняется статистическая операция.An IEnumerable<T> to aggregate over.
- seed
- TAccumulate
Начальное агрегатное значение.The initial accumulator value.
- func
- Func<TAccumulate,TSource,TAccumulate>
Агрегатная функция, вызываемая для каждого элемента.An accumulator function to be invoked on each element.
- resultSelector
- Func<TAccumulate,TResult>
Функция, преобразующая конечное агрегатное значение в результирующее значение.A function to transform the final accumulator value into the result value.
Возвращаемое значение
- TResult
Преобразованное конечное агрегатное значение.The transformed final accumulator value.
Исключения
Параметр source
, func
или resultSelector
имеет значение null
.source
or func
or resultSelector
is null
.
Примеры
В следующем примере кода показано, как использовать Aggregate для применения функции accumulate и селектора результата.The following code example demonstrates how to use Aggregate to apply an accumulator function and a result selector.
string[] fruits = { "apple", "mango", "orange", "passionfruit", "grape" };
// Determine whether any string in the array is longer than "banana".
string longestName =
fruits.Aggregate("banana",
(longest, next) =>
next.Length > longest.Length ? next : longest,
// Return the final result as an upper case string.
fruit => fruit.ToUpper());
Console.WriteLine(
"The fruit with the longest name is {0}.",
longestName);
// This code produces the following output:
//
// The fruit with the longest name is PASSIONFRUIT.
Sub AggregateEx3()
Dim fruits() As String =
{"apple", "mango", "orange", "passionfruit", "grape"}
' Determine whether any string in the array is longer than "banana".
Dim longestName As String =
fruits.Aggregate("banana",
Function(ByVal longest, ByVal fruit) _
IIf(fruit.Length > longest.Length, fruit, longest),
Function(ByVal fruit) fruit.ToUpper())
' Display the output.
Console.WriteLine($"The fruit with the longest name is {longestName}")
End Sub
' This code produces the following output:
'
' The fruit with the longest name is PASSIONFRUIT
Комментарии
Aggregate<TSource,TAccumulate,TResult>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>, Func<TAccumulate,TResult>)Метод упрощает выполнение вычислений для последовательности значений.The Aggregate<TSource,TAccumulate,TResult>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>, Func<TAccumulate,TResult>) method makes it simple to perform a calculation over a sequence of values. Этот метод работает, вызывая func
один раз для каждого элемента в source
.This method works by calling func
one time for each element in source
. При каждом func
вызове метод Aggregate<TSource,TAccumulate,TResult>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>, Func<TAccumulate,TResult>) передает как элемент из последовательности, так и агрегированное значение (в качестве первого аргумента в func
).Each time func
is called, Aggregate<TSource,TAccumulate,TResult>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>, Func<TAccumulate,TResult>) passes both the element from the sequence and an aggregated value (as the first argument to func
). Значение seed
параметра используется в качестве начального статистического значения.The value of the seed
parameter is used as the initial aggregate value. Результат func
заменяет предыдущее агрегированное значение.The result of func
replaces the previous aggregated value. Конечный результат func
передается в, resultSelector
чтобы получить окончательный результат Aggregate<TSource,TAccumulate,TResult>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>, Func<TAccumulate,TResult>) .The final result of func
is passed to resultSelector
to obtain the final result of Aggregate<TSource,TAccumulate,TResult>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>, Func<TAccumulate,TResult>).
Для упрощения общих операций агрегирования стандартные операторы запросов также включают в себя метод счетчика общего назначения, Count и четыре числовых метода статистической обработки, а именно Min ,, Max Sum и Average .To simplify common aggregation operations, the standard query operators also include a general purpose count method, Count, and four numeric aggregation methods, namely Min, Max, Sum, and Average.
Применяется к
Aggregate<TSource,TAccumulate>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>)
Применяет к последовательности агрегатную функцию.Applies an accumulator function over a sequence. Указанное начальное значение используется в качестве исходного значения агрегатной операции.The specified seed value is used as the initial accumulator value.
public:
generic <typename TSource, typename TAccumulate>
[System::Runtime::CompilerServices::Extension]
static TAccumulate Aggregate(System::Collections::Generic::IEnumerable<TSource> ^ source, TAccumulate seed, Func<TAccumulate, TSource, TAccumulate> ^ func);
public static TAccumulate Aggregate<TSource,TAccumulate> (this System.Collections.Generic.IEnumerable<TSource> source, TAccumulate seed, Func<TAccumulate,TSource,TAccumulate> func);
static member Aggregate : seq<'Source> * 'Accumulate * Func<'Accumulate, 'Source, 'Accumulate> -> 'Accumulate
<Extension()>
Public Function Aggregate(Of TSource, TAccumulate) (source As IEnumerable(Of TSource), seed As TAccumulate, func As Func(Of TAccumulate, TSource, TAccumulate)) As TAccumulate
Параметры типа
- TSource
Тип элементов source
.The type of the elements of source
.
- TAccumulate
Тип агрегатного значения.The type of the accumulator value.
Параметры
- source
- IEnumerable<TSource>
Объект IEnumerable<T>, для которого выполняется статистическая операция.An IEnumerable<T> to aggregate over.
- seed
- TAccumulate
Начальное агрегатное значение.The initial accumulator value.
- func
- Func<TAccumulate,TSource,TAccumulate>
Агрегатная функция, вызываемая для каждого элемента.An accumulator function to be invoked on each element.
Возвращаемое значение
- TAccumulate
Конечное агрегатное значение.The final accumulator value.
Исключения
Параметр source
или func
имеет значение null
.source
or func
is null
.
Примеры
В следующем примере кода показано, как использовать Aggregate для применения функции accumulate и использовать начальное значение.The following code example demonstrates how to use Aggregate to apply an accumulator function and use a seed value.
int[] ints = { 4, 8, 8, 3, 9, 0, 7, 8, 2 };
// Count the even numbers in the array, using a seed value of 0.
int numEven = ints.Aggregate(0, (total, next) =>
next % 2 == 0 ? total + 1 : total);
Console.WriteLine("The number of even integers is: {0}", numEven);
// This code produces the following output:
//
// The number of even integers is: 6
Sub AggregateEx2()
' Create an array of Integers.
Dim ints() As Integer = {4, 8, 8, 3, 9, 0, 7, 8, 2}
' Count the even numbers in the array, using a seed value of 0.
Dim numEven As Integer =
ints.Aggregate(0,
Function(ByVal total, ByVal number) _
IIf(number Mod 2 = 0, total + 1, total))
' Display the output.
Console.WriteLine($"The number of even integers is {numEven}")
End Sub
' This code produces the following output:
'
'The number of even integers is 6
Комментарии
Aggregate<TSource,TAccumulate>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>)Метод упрощает выполнение вычислений для последовательности значений.The Aggregate<TSource,TAccumulate>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>) method makes it simple to perform a calculation over a sequence of values. Этот метод работает, вызывая func
один раз для каждого элемента в source
.This method works by calling func
one time for each element in source
. При каждом func
вызове метод Aggregate<TSource,TAccumulate>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>) передает как элемент из последовательности, так и агрегированное значение (в качестве первого аргумента в func
).Each time func
is called, Aggregate<TSource,TAccumulate>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>) passes both the element from the sequence and an aggregated value (as the first argument to func
). Значение seed
параметра используется в качестве начального статистического значения.The value of the seed
parameter is used as the initial aggregate value. Результат func
заменяет предыдущее агрегированное значение.The result of func
replaces the previous aggregated value. Aggregate<TSource,TAccumulate>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>) Возвращает окончательный результат func
.Aggregate<TSource,TAccumulate>(IEnumerable<TSource>, TAccumulate, Func<TAccumulate,TSource,TAccumulate>) returns the final result of func
.
Для упрощения общих операций агрегирования стандартные операторы запросов также включают в себя метод счетчика общего назначения, Count и четыре числовых метода статистической обработки, а именно Min ,, Max Sum и Average .To simplify common aggregation operations, the standard query operators also include a general purpose count method, Count, and four numeric aggregation methods, namely Min, Max, Sum, and Average.
Применяется к
Aggregate<TSource>(IEnumerable<TSource>, Func<TSource,TSource,TSource>)
Применяет к последовательности агрегатную функцию.Applies an accumulator function over a sequence.
public:
generic <typename TSource>
[System::Runtime::CompilerServices::Extension]
static TSource Aggregate(System::Collections::Generic::IEnumerable<TSource> ^ source, Func<TSource, TSource, TSource> ^ func);
public static TSource Aggregate<TSource> (this System.Collections.Generic.IEnumerable<TSource> source, Func<TSource,TSource,TSource> func);
static member Aggregate : seq<'Source> * Func<'Source, 'Source, 'Source> -> 'Source
<Extension()>
Public Function Aggregate(Of TSource) (source As IEnumerable(Of TSource), func As Func(Of TSource, TSource, TSource)) As TSource
Параметры типа
- TSource
Тип элементов source
.The type of the elements of source
.
Параметры
- source
- IEnumerable<TSource>
Объект IEnumerable<T>, для которого выполняется статистическая операция.An IEnumerable<T> to aggregate over.
- func
- Func<TSource,TSource,TSource>
Агрегатная функция, вызываемая для каждого элемента.An accumulator function to be invoked on each element.
Возвращаемое значение
- TSource
Конечное агрегатное значение.The final accumulator value.
Исключения
Параметр source
или func
имеет значение null
.source
or func
is null
.
Последовательность source
не содержит элементов.source
contains no elements.
Примеры
В следующем примере кода показано, как изменить порядок слов в строке с помощью Aggregate .The following code example demonstrates how to reverse the order of words in a string by using Aggregate.
string sentence = "the quick brown fox jumps over the lazy dog";
// Split the string into individual words.
string[] words = sentence.Split(' ');
// Prepend each word to the beginning of the
// new sentence to reverse the word order.
string reversed = words.Aggregate((workingSentence, next) =>
next + " " + workingSentence);
Console.WriteLine(reversed);
// This code produces the following output:
//
// dog lazy the over jumps fox brown quick the
Sub AggregateEx1()
Dim sentence As String =
"the quick brown fox jumps over the lazy dog"
' Split the string into individual words.
Dim words() As String = sentence.Split(" "c)
' Prepend each word to the beginning of the new sentence to reverse the word order.
Dim reversed As String =
words.Aggregate(Function(ByVal current, ByVal word) word & " " & current)
' Display the output.
Console.WriteLine(reversed)
End Sub
' This code produces the following output:
'
' dog lazy the over jumps fox brown quick the
Комментарии
Aggregate<TSource>(IEnumerable<TSource>, Func<TSource,TSource,TSource>)Метод упрощает выполнение вычислений для последовательности значений.The Aggregate<TSource>(IEnumerable<TSource>, Func<TSource,TSource,TSource>) method makes it simple to perform a calculation over a sequence of values. Этот метод работает, вызывая func
один раз для каждого элемента, source
за исключением первого.This method works by calling func
one time for each element in source
except the first one. При каждом func
вызове метод Aggregate<TSource>(IEnumerable<TSource>, Func<TSource,TSource,TSource>) передает как элемент из последовательности, так и агрегированное значение (в качестве первого аргумента в func
).Each time func
is called, Aggregate<TSource>(IEnumerable<TSource>, Func<TSource,TSource,TSource>) passes both the element from the sequence and an aggregated value (as the first argument to func
). Первый элемент класса source
используется в качестве начального статистического значения.The first element of source
is used as the initial aggregate value. Результат func
заменяет предыдущее агрегированное значение.The result of func
replaces the previous aggregated value. Aggregate<TSource>(IEnumerable<TSource>, Func<TSource,TSource,TSource>) Возвращает окончательный результат func
.Aggregate<TSource>(IEnumerable<TSource>, Func<TSource,TSource,TSource>) returns the final result of func
.
Эта перегрузка Aggregate метода не подходит для всех случаев, поскольку в ней используется первый элемент в source
качестве начального статистического значения.This overload of the Aggregate method isn't suitable for all cases because it uses the first element of source
as the initial aggregate value. Следует выбрать другую перегрузку, если возвращаемое значение должно включать только те элементы source
, которые соответствуют определенному условию.You should choose another overload if the return value should include only the elements of source
that meet a certain condition. Например, эта перегрузка не является надежной, если требуется вычислить сумму четных чисел в source
.For example, this overload isn't reliable if you want to calculate the sum of the even numbers in source
. Результат будет неверным, если первый элемент нечетен, а не даже.The result will be incorrect if the first element is odd instead of even.
Для упрощения общих операций агрегирования стандартные операторы запросов также включают в себя метод счетчика общего назначения, Count и четыре числовых метода статистической обработки, а именно Min ,, Max Sum и Average .To simplify common aggregation operations, the standard query operators also include a general purpose count method, Count, and four numeric aggregation methods, namely Min, Max, Sum, and Average.