我想制作一个执行某项任务的方法,并在内部进行简单的计算,如加法,减法或乘法。纠正我,如果我错了,似乎我无法直接传递这样一个操作的运算符,我需要定义一个中间方法(就像我的例子中的一个叫做operator_add)。我尝试使用以下代码完成我的任务:
struct A {
typedef int T;
/* (...) */
struct element {
/* (...) */
inline T value() const { /* something simple */ };
element& comp_assign( const T r, T (*operation)(const T, const T) ) { // line # 40
T res = operation( value(), r );
return modif_aux( res );
} /* (...) */
inline T operator_add( const T a, const T b ) { return a + b; }
inline element& operator+=( const T r ) { return comp_assign( r, operator_add ); } // line # 64
};
};
但是我收到以下错误:
A.h:64: error: no matching function for call to ‘A::element::comp_assign(const int&, <unresolved overloaded function type>)’
A.h:40: note: candidates are: A::element& A::element::comp_assign(int, int (*)(int, int))
答案 0 :(得分:0)
operator_add
是一个成员函数,因此您不能使用普通函数指针来引用它。使它成为静态函数或自由函数会解决这个问题,虽然我建议使用模板,因为它可以使用任何可调用对象:
template<typename Operation>
element& comp_assign( const T r, Operation operation) { // line # 40
T res = operation( value(), r );
return modif_aux( res );
}
inline element& operator+=( const T r ) { return comp_assign( r, std::plus<T>() ); }