如何使用Function
在容器的部分上调用for_each()
?
我创建了for_each_if()
来执行
for( i in shapes )
if( i.color == 1 )
displayShape(i);
并且通话看起来像
for_each_if( shapes.begin(), shapes.end(),
bind2nd( ptr_fun(colorEquals), 0 ),
ptr_fun( displayShape ) );
bool colorEquals( Shape& s, int color ) {
return s.color == color;
}
然而,我觉得模仿类似STL的算法并不是我应该做的事情。
有没有办法只使用现有的STL关键字来生成这个?
我不想要做
for_each( shapes.begin(), shapes.end(),
bind2nd( ptr_fun(display_shape_if_color_equals), 0 ) );
因为,在一个更复杂的情况下,函子名称会对编码器的内容产生误导
*有没有办法在不需要创建函数的情况下访问colorEquals
等函数的结构成员(如for_each
)? *
答案 0 :(得分:8)
模仿类似STL的算法正是你应该做的。这就是为什么他们在STL。
具体来说,您可以使用仿函数而不是创建实际函数并对其进行绑定。这真的很整洁。
template<typename Iterator, typename Pred, typename Operation> void
for_each_if(Iterator begin, Iterator end, Pred p, Operation op) {
for(; begin != end; begin++) {
if (p(*begin)) {
op(*begin);
}
}
}
struct colorequals {
colorequals(int newcol) : color(newcol) {}
int color;
bool operator()(Shape& s) { return s.color == color; }
};
struct displayshape {
void operator()(Shape& s) { // display the shape }
};
for_each_if(shapes.begin(), shapes.end(), colorequals(0), displayshape());
这通常被认为是惯用的方式。
答案 1 :(得分:4)
使用增压范围适配器更加整洁。
using boost::adaptor::filtered;
using boost::bind;
class Shape {
int color() const;
};
void displayShape(const Shape & c);
bool test_color(const Shape & s, int color ){
return s.color() == color;
}
boost::for_each
( vec | filtered(bind(&test_color, _1, 1)
, bind(&displayShape, _1)
)
请注意使用新范围库进行抽象 迭代器有利于范围和范围适配器 库组成一个操作管道。
所有基于标准stl迭代器的算法都有 被移植到基于范围的算法。
想象一下
typedef boost::unordered_map<int, std::string> Map;
Map map;
...
using boost::adaptor::map_keys;
using boost::bind
using boost::ref
using boost::adaptor::filtered;
bool gt(int a, int b)
{ return a > b };
std::string const & get(const Map & map, int const & a)
{ return map[a] }
// print all items from map whose key > 5
BOOST_FOREACH
( std::string const & s
, map
| map_keys
| filtered(bind(>, _1, 5))
| transformed(bind(&get, ref(map), _1))
)
{
cout << s;
}
答案 2 :(得分:1)
如果您需要一个模拟if条件的Functor,则使用常规for_each。
#include <algorithm>
#include <vector>
#include <functional>
#include <iostream>
#include <boost/bind.hpp>
using namespace std;
struct incr {
typedef void result_type;
void operator()(int& i) { ++i; }
};
struct is_odd {
typedef bool return_type;
bool operator() (const int& value) {return (value%2)==1; }
};
template<class Fun, class Cond>
struct if_fun {
typedef void result_type;
void operator()(Fun fun, Cond cond, int& i) {
if(cond(i)) fun(i);
}
};
int main() {
vector<int> vec;
for(int i = 0; i < 10; ++i) vec.push_back(i);
for_each(vec.begin(), vec.end(), boost::bind(if_fun<incr, is_odd>(), incr(), is_odd(), _1));
for(vector<int>::const_iterator it = vec.begin(); it != vec.end(); ++it)
cout << *it << " ";
}
不幸的是我的模板hackery不足以使用bind1st和bind2nd来管理它,因为它以某种方式混淆了返回的绑定器是unary_function
,但无论如何它看起来都很好boost::bind
。我的例子并不完美,因为它不允许Func传入if_fun返回,我想有人可能会指出更多的缺陷。欢迎提出建议。