在我的代码中,我有一个类,用于注册其他类的方法:
#include <iostream>
using namespace std;
template< typename C>
class Reg {
public:
template< typename R, typename A>
void register_f( string name, R ( C:: *method_p ) ( A)) { /*registration process*/ }
// template< typename R>
// void register_void_f( string name, R ( C:: *method_p ) ( void)) { /*registration process*/ }
};
class A {
public:
int f( void) { return 1; }
void g( int x) { /* some code*/ }
};
int main() {
Reg< A> r;
r.register_f( "g", &A::g);
/*1*/// r.register_f( "f", &A::f);
/*2*/// r.register_f< int, void>( "f", &A::f);
/*3*/// r.register_void_f< int>( "f", &A::f);
return 0;
}
取消注释行/ * 2 * /给我一个错误:
模板参数扣除/替换失败:
代替'template void register_f(std :: string,R(C :: *)(A))[用R = R; A = A; C = A] [R = int; A = void]':
错误:参数类型无效'void'
行/ * 1 /与/ 2 * /相同,但没有提供如此丰富的错误消息。
我理解为了解决问题,我可以使用方法 register_void_f ,但我不想这样做,因为 register_f 是我最终的一部分API。
问题&gt; 如何在不引入 register_void_f 的情况下修复编译错误?
我有一个想法是用部分专门的 register_f 解决它,但我不知道怎么做,因为在C ++中你不能部分地专门化模板化方法。
PS&gt; 我无法使用C ++ 11。
答案 0 :(得分:3)
不要将void
用于没有参数,使用 nothing - 就像这样:
template< typename R>
void register_void_f( string name, R ( C:: *method_p ) ()) { /*registration process*/ }
答案 1 :(得分:2)
重载你的功能:
void foo( int ) {}
double bar() { return 3.14; }
template< class R, class A >
void test( R ( *method_p ) (A)) { }
template< class R >
void test( R ( *method_p ) ()) { }
int main(){
test(foo);
test(bar);
}
将此转换为方法应该很容易。
答案 2 :(得分:2)
您可以使用以下内容:
template< typename C> class Reg;
template <typename C, typename F> struct helper;
template <typename C, typename R, typename A>
struct helper<C, R (C::*)(A)>
{
void operator() (Reg<C>& reg, const std::string& name, R (C::*method)(A)) const { /* Your implementation */}
};
template <typename C, typename R>
struct helper<C, R (C::*)()>
{
void operator() (Reg<C>& reg, const std::string& name, R (C::*method)()) const { /* Your implementation */}
};
template< typename C>
class Reg {
public:
template< typename F>
void register_f(const std::string& name, F method) { helper<C, F>()(*this, name, method); /*registration process*/ }
};
并以这种方式使用:
Reg< A> r;
r.register_f( "g", &A::g);
r.register_f( "f", &A::f);
r.register_f<int (A::*)(void)>( "f", &A::f);