我有一个多图定义
typedef std::pair<int, int> comp_buf_pair; //pair<comp_t, dij>
typedef std::pair<int, comp_buf_pair> node_buf_pair;
typedef std::multimap<int, comp_buf_pair> buf_map; //key=PE, value = pair<comp_t, dij>
typedef buf_map::iterator It_buf;
int summ (int x, int y) {return x+y;}
int total_buf_size = 0;
std::cout << "\nUpdated buffer values" << std::endl;
for(It_buf it = bufsz_map.begin(); it!= bufsz_map.end(); ++it)
{
comp_buf_pair it1 = it->second;
// max buffer size will be summ(it1.second)
//total_buf_size = std::accumulate(bufsz_map.begin(), bufsz_map.end(), &summ); //error??
std::cout << "Total buffers required for this config = " << total_buf_size << std::endl;
std::cout << it->first << " : " << it1.first << " : " << it1.second << std::endl;
}
我想对it1.second指向的所有值求和
std::accumulate函数如何访问第二个迭代器值?
最佳答案
您遇到的问题是summ函数,实际上您需要比它更好的东西才能处理2个不匹配的类型。
如果幸运的话,这可能会起作用:
int summ(int x, buf_map::value_type const& v) { return x + v.second; }
如果您不走运(取决于
accumulate
的实现方式),则始终可以:struct Summer
{
typedef buf_map::value_type const& s_type;
int operator()(int x, s_type v) const { return x + v.second.first; }
int operator()(s_type v, int x) const { return x + v.second.first; }
};
然后使用:
int result = std::accumulate(map.begin(), map.end(), 0, Summer());
关于c++ - multimap 累积值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/3112234/