std::accumulate
应该能够接受三个或四个参数。在前一种情况下,只是当您想在容器中添加数字时;在后一种情况下,您想先应用一个函数,然后再添加它们。我编写了生成随机双精度向量的代码,然后对它们进行了一些处理:首先它使用 执行 x->x^2 变换std::transform
,然后将它们与 相加std::accumulate
,最后使用四个动作将这两个动作组合成一个-参数版本std::accumulate
.
除第 3 步外,一切正常。查看http://www.cplusplus.com/reference/numeric/accumulate/上的示例代码,我看不出有任何不应该工作的原因,但我编译时出现“参数过多错误”(我正在使用 XCode。出于某种原因,它没有告诉我行号,但我已将其范围缩小到 的第二种用法std::accumulate
)。有什么见解吗?
#include <numeric>
#include <time.h>
#include <math.h>
using std::vector;
using std::cout;
using std::endl;
double square(double a) {
return a*a;
}
void problem_2_1() {
vector<double> original;
//GENERATE RANDOM VALUES
srand((int)time(NULL));//seed the rand function to time
for (int i=0; i<10; ++i) {
double rand_val = (rand() % 100)/10.0;
original.push_back(rand_val);
cout << rand_val << endl;
}
//USING TRANSFORM
vector<double> squared;
squared.resize(original.size());
std::transform(original.begin(), original.end(), squared.begin(), square);
for (int i=0; i<original.size(); ++i) {
std::cout << original[i] << '\t' << squared[i] << std::endl;
}
//USING ACCUMULATE
double squaredLength = std::accumulate(squared.begin(), squared.end(), 0.0);
double length = sqrt(squaredLength);
cout << "Magnitude of the vector is: " << length << endl;
//USING 4-VARIABLE ACCUMULATE
double alt_squaredLength = std::accumulate(original.begin(), original.end(), 0.0, square);
double alt_length = sqrt(alt_squaredLength);
cout << "Magnitude of the vector is: " << alt_length << endl;
}