如何在for_each方法中使用自己的类的函数?

时间:2014-09-29 11:34:39

标签: c++ c++11 foreach function-object

假设我有这个类(继承自std :: Vector,它只是一个例子)

#include <vector>

using namespace std;

template <class T>
class C : public vector<T> {

    // I don't want to use static keyword
    void transformation(T i) {
        i *= 100;
    }

    public:   
    void method() {
        for_each(this->begin(), this->end(), transformation);
    }
};

int main() {
    C<double> c;
    for (int i=-3; i<4; ++i) {
        c.push_back(i);
    }

    c.method();
}

如何在类本身内部使用类方法调用for_each?我知道我可以使用static关键字,但是有什么其他方法可以在不使用static的情况下使用函数对象?

我在编译时收到此错误消息:

  

for_each.cc:21:55:错误:无法转换   类型'void(C ::)(double)''C :: transformation'   输入'void(C :: *)(double)'for_each(this-&gt; begin(),   this-&gt; end(),transformation);

我想我需要在某个地方添加.*->*,但我无法找到原因和原因。

3 个答案:

答案 0 :(得分:14)

C ++ 11 bind 解决方案:

std::for_each(this->begin(), this->end(),
      std::bind(&C::transformation, this, std::placeholders::_1));

C ++ 11 lambda 解决方案:

std::for_each(this->begin(), this->end(),
      [this] (T& i) { transformation(i); });

C ++ 14 通用lambda 解决方案:

std::for_each(this->begin(), this->end(),
      [this] (auto&& i) { transformation(std::forward<decltype(i)>(i)); });

C ++ 98 bind1st + mem_fun 解决方案:

std::for_each(this->begin(), this->end(),
      std::bind1st(std::mem_fun(&C::transformation), this));

注意: this->begin()this->end()调用仅限于this->,因为在OP的代码中它们是模板化基类的成员函数。因此,这些名称是在全局命名空间中初步搜索的。任何其他出现的this都是强制性的。

答案 1 :(得分:4)

首先,继承标准容器,它们不是为了继承(没有虚拟析构函数等)。

其次,关于你的问题,它是因为指向成员函数的指针与指向函数的指针不同。原因是成员函数有一个隐藏的第一个参数,它成为函数中的this指针。解决它的最简单方法是创建函数static

另一种解决方案是使用C ++ 11附带的std::bind函数:

for_each(this->begin(), this->end(),
    std::bind(&C::transformation, this, std::placeholders::_1));

如果您没有拥有C ++ 11(即使您标记了您的问题),那么您可能会使用std::mem_fun或{{3 }}

答案 2 :(得分:0)

您需要绑定this指针:

public:   
void method() 
{
    for_each(this->begin(), this->end(), bind(&C::transformation, this, placeholders::_1));
}