在C ++中,我们可以将函数/仿函数传递给类似的函数:
template <typename F>
void doOperation(int a, int b, F f){
std::cout << "Result: " << f(a,b) << std::endl;
}
然后我们可以使用函数和函子:
int add(const int &a, const int &b){ return a+b; }
struct subtract(){
void operator() (const int &a, const int &b) { return a-b; }
};
并以下列方式使用它:
doOperation(1,2,add);
doOperation(5,2,subtract());
我的问题是,我可以用类做类似的事情吗?将函数作为参数传递给类,存储它并稍后使用? E.g。
template <typename F>
class doOperation{
public:
doOperation(int &a, int &b, F f) : a(a), b(b), f(f) {};
void setOperands(int &a, int &b) { this->a = a; this->b = b };
void performCalculation(){
std::cout << "Result: " << f(a,b) << std::endl;
}
private:
int a,b;
F f;
}
这样我们可以为它分配一次函数,然后再使用它:
doOperation summing(1,2,add);
summing.setOperands(2,3);
summing.performCalculation();
doOperation subtraction(7,3,subtract());
subtraction.performCalculation();
如果我的例子有效,我会很感激这里对机制的解释,因为我似乎有点迷失了。如果我错过了什么,我正在寻找关于是否可以实现的提示。
最后,我如何在其他函数和类中使用这样的class doOperation
。例如,在成员函数中定义类似这样的东西需要我模板化新类,它的成员函数,以及如何声明和使用它:
class higherFunctionality{
public:
higherFunctionality() {...}
void coolThings(){
doOperation *myOperation = operationFactory( ... );
myOperation->setOperands(4,5);
myOperation->performCalculation();
}
};
答案 0 :(得分:1)
是的,但是在实例化模板类时必须提供类型。处理此问题的常用方法是创建辅助函数:
template < typename Fun > struct operation_class
{
operation_class(Fun f) : fun{f} {}
Fun fun;
};
template < typename Fun >
operation_class<Fun> operation(Fun fun) { return operation_class<Fun>{fun}; }
int main()
{
auto op0 = operation(some_fun);
auto op1 = operation(some_functor{});
}
坦率地说,你最好只使用lambda:
auto op0 = [a,b]() { return sum(a,b); };
auto op1 = [a,b]() { return subtract{a,b}(); }
// C++17:
auto op2 = [op=subtract{a,b}] { return op(); };