std::accumulate是C++ STL中定义在<numeric>头文件里的数值算法,用于对迭代器范围内的元素执行累加或自定义二元操作并返回单一结果;支持默认求和、自定义运算(如乘法、最大值、字符串拼接),要求二元操作参数与返回类型一致,需注意初始值类型匹配及空容器安全。

std::accumulate 是 C++ STL 中最常用的数值算法之一,定义在 <numeric> 头文件中,用于对指定范围内的元素进行累加(或自定义二元操作),返回一个单一结果值。
基础用法:求和
默认情况下,accumulate 对区间内所有元素执行加法运算,从给定的初始值开始累加:
#include <numeric>
#include <vector>
#include <iostream>
<p>int main() {
std::vector<int> v = {1, 2, 3, 4, 5};
int sum = std::accumulate(v.begin(), v.end(), 0); // 初始值为 0
std::cout << sum << "\n"; // 输出 15
}- 前两个参数是迭代器范围:
first和last(左闭右开) - 第三个参数是初始值(类型决定返回类型,也影响运算过程)
- 注意:若容器为空,直接返回初始值,不会报错
指定运算:用二元函数或 lambda
第四个参数可传入自定义二元操作(如乘法、最大值、字符串拼接等):
// 计算乘积
int product = std::accumulate(v.begin(), v.end(), 1, std::multiplies<int>{});
<p>// 找最大值(注意:初始值应设为最小可能值,或用 *v.begin())
int max_val = std::accumulate(v.begin(), v.end(),
std::numeric_limits<int>::min(),
[](int a, int b) { return std::max(a, b); });</p><p>// 字符串拼接(vector<string>)
std::vector<std::string> words = {"Hello", "World", "!"};
std::string s = std::accumulate(words.begin(), words.end(), std::string{},
[](const std::string& a, const std::string& b) {
return a.empty() ? b : a + " " + b;
}); // "Hello World !"
- 自定义操作必须满足:接受两个同类型参数,返回相同类型(或可隐式转换)
- 初始值参与第一次调用,例如
op(init, *first) - 使用 lambda 更灵活,适合复杂逻辑(如带条件的累加)
常见陷阱与注意事项
实际使用中容易忽略几个关键点:
立即学习“C++免费学习笔记(深入)”;
-
类型不匹配导致截断或溢出:比如用
int初始值累加long long元素,结果仍是。应显式指定初始值类型:<code>0LL或0LL * v[0] - 空范围行为:返回初始值,不是未定义行为,但需确保初始值语义合理(如求最小值时不能用 0)
- 不适用于输入迭代器以外的迭代器类型:accumulate 要求至少是前向迭代器(vector/list 支持,istream_iterator 也可用)
-
无并行优化:标准
std::accumulate是顺序执行;C++17 起提供std::reduce(支持并行),但语义略有不同(不保证顺序)
实用小技巧
一些快速上手的写法建议:
- 求平均值:先
accumulate得和,再除以size()(注意类型转换) - 判断是否全为正数:用
std::accumulate(..., true, [](bool a, int b) { return a && b > 0; }) - 统计字符出现次数:配合
std::count_if更直观,但accumulate也能做:accumulate(v.begin(), v.end(), 0, [](int n, int x) { return n + (x == target); }) - 处理浮点数时慎用:累积误差可能明显,必要时考虑 Kahan 求和(需手写)











