具有两个args的成员函数的std :: for_each用法

时间:2011-09-12 19:41:11

标签: c++ vector foreach functor

以下是关于如何定义我的类的一般概念(它执行除下面提到的操作之外的其他操作)

struct Funktor
{
    Funktor(int val):m_val(val){}
    bool operator()(int arg1, int arg2) { return m_val==arg1*arg2; }
    int m_val;
};

现在我有一个上述对象的向量,我试图使用for_each调用operator(),有没有办法做到这一点?我知道可以使用bind2nd和mem_func_ref来完成,但是当只有一个参数但是有两个参数时,我还没找到方法。

int main()
{
    std::vector<Funktor> funktors;
    funktors.push_back(Funktor(10));
    funktors.push_back(Funktor(20));
    funktors.push_back(Funktor(30));

    int arg1 = 5, arg2 = 6;
    //instead of the for loop below I want to use for_each
    for(std::vector<Funktor>::iterator itr = funktors.begin(); funktors.end() != itr; ++itr)
    {
        (*itr)(arg1,arg2);
   }
}

感谢您的帮助。最好的。

CV

1 个答案:

答案 0 :(得分:7)

C ++ 03解决方案(没有提升):

将另一个仿函数写为:

struct TwoArgFunctor
{
    int arg1, arg2;
    TwoArgFunctor(int a, int b) :arg1(a), arg2(b) {}

    template<typename Functor>
    bool operator()(Functor fun)
    {
        return fun(arg1, arg2); //here you invoke the actual functor!
    }
};

然后将其用作:

std::for_each(funktors.begin(),funktors.end(), TwoArgFunctor(arg1,arg2));

C ++ 11解决方案:

std::for_each(funktors.begin(),funktors.end(), 
                         [&] (Funktor f) -> bool { return f(arg1,arg2); });