首页 > 代码库 > C++ 模板类的实现为何放在.h中
C++ 模板类的实现为何放在.h中
主要原因:C++标准明确表示,当一个模板不被用到的时侯它就不该被实例化出来;
如以下代码:main.cpp中调用到模板类A的方法A<int>::f,因A<int>::f在test.cpp中实现,编译器在#1处并不知道A<int>::f的定义,故寄希望于连接器,实际上test.cpp编译出来的test.obj文件中关于A::f一行二进制代码也没有,因为模板类A在test.cpp未被实例化,此时连接器就会报错。所以,必须把模板类的实现放在.h中,此时main.cpp中调用A<int>::f方法时,就可直接打到f的定义了。
1. //-------------test.h----------------//
2.
3. template<classT>
4.
5. classA
6.
7. {
8.
9. public:
10.
11. voidf(); // 这里只是个声明
12.
13. };
14.
15. //---------------test.cpp-------------//
16.
17. #include”test.h”
18.
19. template<classT>
20.
21. voidA<T>::f() // 模板的实现
22.
23. {
24.
25. …//do something
26.
27. }
28.
29. //---------------main.cpp---------------//
30.
31. #include”test.h”
32.
33. intmain()
34. {
35. A<int> a;
36. a.f(); // #1
37. }
C++ 模板类的实现为何放在.h中