由于for_each接受的函数只接受一个参数(向量的元素),我必须在static int sum = 0
某处定义一个,以便在调用 for_each 后可以访问它。我觉得这很尴尬。有没有更好的方法来做到这一点(仍然使用 for_each)?
#include <algorithm>
#include <vector>
#include <iostream>
using namespace std;
static int sum = 0;
void add_f(int i )
{
sum += i * i;
}
void test_using_for_each()
{
int arr[] = {1,2,3,4};
vector<int> a (arr ,arr + sizeof(arr)/sizeof(arr[0]));
for_each( a.begin(),a.end(), add_f);
cout << "sum of the square of the element is " << sum << endl;
}
在 Ruby 中,我们可以这样做:
sum = 0
[1,2,3,4].each { |i| sum += i*i} #local variable can be used in the callback function
puts sum #=> 30
您能否展示更多示例for_each
在实际编程中通常如何使用(不仅仅是打印出每个元素)?是否可以在 Ruby 中使用for_each
模拟“编程模式”,如 map 和注入(或 Haskell 中的 map /fold)。
#map in ruby
>> [1,2,3,4].map {|i| i*i}
=> [1, 4, 9, 16]
#inject in ruby
[1, 4, 9, 16].inject(0) {|aac ,i| aac +=i} #=> 30
编辑:谢谢大家。我从你的回复中学到了很多。我们有很多方法可以在 C++ 中做同样的事情,这使得学习有点困难。但这很有趣:)