c ++ std for_each稍后定义std函数

时间:2014-10-29 08:50:34

标签: c++ c++11

我想更改此代码:

std::for_each( container.begin(), container.end(), std::bind(&Class::method1, _1, param));

容器有指向Class的指针,指向只传递param的版本:

// create the functor here ( bind to method1 or method2, etc)
// ....
//
std::for_each( container.begin(), container.end(), functor(param) );

我不能使用lambdas。

容器可以是:

 std::list<Class*>

2 个答案:

答案 0 :(得分:5)

struct functor {
    int param;
    functor(int param): param(param) {}
    void operator()(Class* c) {
        c->method1(param);
    }
};

你去吧。一个函子类,您可以完全用作示例。没有lambda,没有绑定到方法。只需将参数传递给构造函数即可。您可以将成员函数指针传递给构造函数,或将其扩展为模板,以避免为每个方法编写一个。

或者,如果您只是想先选择方法并稍后绑定参数,则可以这样做:

// create the functor here ( bind to method1 or method2, etc)
std::function<void(Class*,decltype(param))> functor(&Class::method1); // "bind" the method
// ....
std::for_each( container.begin(), container.end(), std::bind(functor, _1, param) ); // bind the param

请注意,我没有看到这样做有什么好处,而不是你问题中的第一行代码。

答案 1 :(得分:2)

你想要一些东西来制作仿函数。

这是你想要的一般仿函数。

template< typename CLASS, typename CLASS_METHOD, typename PARAM_TYPE >
class Functor
{
    CLASS_METHOD m_method; // actually will be of type void(CLASS::*func)( PARAM_TYPE )

    PARAM_TYPE m_param;

 public:
    void operator()( CLASS * c ) const
    {
       (c->*m_method)( m_param );
    }
};

template typename< CLASS, CLASS_METHOD, PARAM_TYPE > 
Functor< CLASS, CLASS_METHOD, PARAM_TYPE > 
functor( CLASS_METHOD method, PARAM_TYPE param )
{
      return Functor< CLASS, CLASS_METHOD, PARAM_TYPE >( method, param );
}

std::for_each
  ( 
    container.begin(), container.end(), 
    functor< Class >( &Class::method1, param );
  );

如果您愿意,我们可以将其设为非模板。

class Functor
{
     typedef void (Class::*func_type )(int);

     func_type m_method; // assuming that's the param type
     int m_param;

public:
     Functor( func_type method, int param )
         : m_method( method ), m_param( param )
     {
     }

     void operator()( Class * c ) const
     {
        (c->*m_method)(param);
     }
};

std::for_each( container.begin, container.end(), Functor( &Class::method1, param ) );

现在只到&#34;&#34;指定参数,为每个&#34;方法&#34;编写函数。因此:

Functor method1Functor( int param )
{
      return Functor( &Class::method1, param );
}

Functor method2Functor( int param )
{
    return Functor( &Class::method2, param );
}

现在在你的代码中:

std::for_each( container.begin(), container.end(), method1Functor( param ) );

您也可以编写这些函数方法来执行bind并返回std::function