如何专门化模板构造函数

时间:2016-11-04 20:32:06

标签: c++ templates partial specialization class-constructors

我能够精通构造函数:

template < typename TType >
class Field
{
public:
    Field( const Msg& )
        : _type( TType() )
    { }

protected:
    TType    _type;
};

template < >
Field < double >::Field( const Msg& msg )
    : _type( msg.extractDouble() )
{
}

template < >
Field < int >::Field( const Msg& msg )
    : _type( msg.extractInt() )
{
}

但是,我需要在采用非类型参数的模板上执行相同操作,例如:

template < const char* pszName, typename TType >
class Field
{
public:
    Field( const Msg& )
        : _type( TType() )
    { }

    static void setup( const Descriptor& d ) { // called once to setup _nIndex based on Descriptor and pszName 
    static int  index() { return _nIndex; }

protected:
    TType              _type;   // This class can only be sizeof TType in size

    static int         _index;
};

template < >
Field < ??, ?? >::Field( const Msg& msg )     // This doesn't compile
    : _type( msg.extractDouble( index() ) )
{
}

template < >
Field < ??, ?? >::Field( const Msg& msg )        // This doesn't compile
    : _type( msg.extractInt( index() ) )
{
}

这样做有诀窍吗?我想我可以在运行时在setup()期间传递const char名称。但如果对象本身在没有帮助的情况下知道它会很好。

1 个答案:

答案 0 :(得分:1)

这里的问题是你不能部分地专门化函数,而构造函数是一个函数。你要么完全专注它们,要么根本不专注。

此问题的常见解决方案是使用标记分发,但在您的特定用例中,它更简单一点......使用static_cast

template < typename TType, int n >
class Field
{
public:
    Field( float f )
        : _type( static_cast<TType>(f) )
    { }

protected:
    TType    _type;
};

Demo