Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

c++ partial specialization: How can I specialize this template<class T1, class T2> to this template<class T1>?

#include <iostream>
using namespace std;

template <class T1, class T2>
class A {
public:
    void taunt() { cout << "A"; }
};

template <class T1>
class A<T1, T1> {
public:
    void taunt() { cout << "B"; }
};

class B {};

class C {};

int main (int argc, char * const argv[]) {

    A<B> a;

    return 0;
}

How can I convert my two parameter template to a one parameter template?

The above code will give a compiler error on 'A a;' for 'wrong number of template arguments'.

like image 218
user52343 Avatar asked Nov 26 '25 06:11

user52343


1 Answers

Template specialization can't be used to reduce the number of template arguments, to do that you should use defaults for some of the arguments.

So in order to allow usage of only one argument, and make that usage hit your specialization, you need a default for the second argument, which is the same as the first argument:

#include <iostream>
using namespace std;

template <class T1, class T2=T1>
class A {
public:
    void taunt() { cout << "A"; }
};

template <class T1>
class A<T1, T1> {
public:
    void taunt() { cout << "B"; }
};

class B {};

class C {};

int main (int argc, char * const argv[]) {

    A<B> a;
    a.taunt(); // Prints "B"

    return 0;
}
like image 120
Kleist Avatar answered Nov 27 '25 19:11

Kleist



Donate For Us

If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!