在C++中,使用template,有时候可能会需要得到当前所使用的类型.
本文中使用两种办法来。
TT类为使用模板的类,
TT.h
1 | #ifndef _TT_H |
2 | #define _TT_H |
3 | #include "stdio.h" |
4 | template < class T> |
5 | class TT{ |
6 | public : |
7 | void printType(); |
8 | void printType(T); |
9 | }; |
方法1:
01 | template <> |
02 | void TT< int >::printType(){ |
03 | printf ( "int/n" ); |
04 | } |
05 | template <> |
06 | void TT< char >::printType(){ |
07 | printf ( "char/n" ); |
08 | } |
09 | template < class T> |
10 | void TT<T>::printType(){ |
11 | printf ( "other type/n" ); |
12 | } |
方法1结束。
方法2:
1 | template < class T> |
2 | void TT<T>::printType(T t){ //判断t是不是int类型的 |
3 | printf ( "%d/n" , typeid (t).name() == typeid (1).name()); |
4 | } |
方法2结束。
01 | #endif |
02 | main.c |
03 | #include "TT.h" |
04 | int main(){ |
05 | TT< int > t1; |
06 | TT< char > t2; |
07 | TT< double > t3; |
08 | t1.printType(); |
09 | t2.printType(); |
10 | t3.printType(); |
11 | int a = 1; |
12 | char b = 'b' ; |
13 | double c = 1.1; |
14 | t1.printType(a); |
15 | t2.printType(b); |
16 | t3.printType(c); |
17 | return 0; |
18 | } |
最后的结果为:
1 | int |
2 | char |
3 | other type |
4 | 1 |
5 | 0 |
6 | 0 |