考虑一下:
typedef void (*ExecFunc)( int val );
class Executor
{
void doStuff() { mFunc( mVal ); }
void setFunc( ExecFunc func ) { mFunc = func; }
int mVal;
ExecFunc mFunc;
};
void addOne( int val ) { val = val+1; } // this could be passed as an ExecFunc.
很简单。假设我现在要模仿这个?
typedef void (*ExecFunc)( int val ); // what do I do with this?
template < typename X > class Executor
{
void doStuff() { mFunc( mVal ); }
void setFunc( ExecFunc<X> func ) { mFunc = func; }
X mVal;
ExecFunc<X> mFunc; // err... trouble..
};
template < typename X > addOne( X val ) { val += 1; }
那么如何创建一个模板化的函数指针?
答案 0 :(得分:14)
在C ++ 11中,您可以使用:
template<class X>
using ExecFunc = void(*)(X);
定义ExecFunc<X>
。
在C ++ 03中,你必须改为使用它:
template<class X>
struct ExecFunc {
typedef void(*type)(X);
};
并在typename ExecFunc<X>::type
内使用Executor
。