Ryan
Ryan

Reputation: 1501

Too few template-parameter-lists problem

Can anybody please tell me how to make the following pseudo-code compatible with GCC4? I wonder how it works under MSVC...

typedef int TypeA;
typedef float TypeB;

class MyClass
{
// No base template function, only partially specialized functions...
    inline TypeA myFunction<TypeA>(int a, int b) {} //error: Too few template-parameter-lists
    template<> inline TypeB myFunction<TypeB>(int a, int b) {}
};

Upvotes: 3

Views: 6716

Answers (1)

The proper way of coding that construct would be:

typedef int TypeA;
typedef float TypeB;
class MyClass
{
    template <typename T> 
    T myFunction( int a, int b );
};
template <> 
inline TypeA MyClass::myFunction<TypeA>(int a, int b) {}
template <> 
inline TypeB MyClass::myFunction<TypeB>(int a, int b) {}

Note that the template member function has to be declared inside the class declaration, but specializations must be defined outside of it, at namespace level.

Upvotes: 5

Related Questions