#include<iostream>
#include<string>
using namespace std;
//类模板分文件编写问题以及解决
//类比较多的情况下 通常把每一个类单独写在一个文件下
//分文件编写 .h中写文件的声明 .cpp写文件的实现
//第一种解决方式 直接包含源文件
//#include"person.h" //错误
#include"person.cpp" //正确
//第二种解决方式 将.h和.cpp中的内容写到一起,将后缀名改为.hpp文件
#include"person.hpp" //主流的解决方法 将类模板成员函数写到一起 并将后缀名改为.hpp
//template<class T1,class T2>
//class person
//{
//public:
// person(T1 name, T2 age);//类内声明
// void showperson();//类外实现
// T1 m_Name;
// T2 m_Age;
//};
//template<class T1,class T2> //类外实现
//person<T1, T2>::person(T1 name, T2 age)
//{
// this->m_Name = name;
// this->m_Age = age;
//}
//template<class T1, class T2> //类外实现
//void person<T1,T2>::showperson()
//{
// cout << "姓名: " << this->m_Name << "年龄:" << this->m_Age << endl;
//}
void test01()
{
person<string, int>p("tom", 18);
p.showperson();
}
int main()
{
test01();
system("pause");//按任意键继续
return 0;//关闭程序
}
.hpp文件代码如下
#pragma once//防止头文件重复包含
#include<iostream>
using namespace std;
#include<string>
//声明
template<class T1, class T2>
class person
{
public:
person(T1 name, T2 age);//类内声明
void showperson();//类外实现
T1 m_Name;
T2 m_Age;
};
template<class T1, class T2> //类外实现
person<T1, T2>::person(T1 name, T2 age)
{
this->m_Name = name;
this->m_Age = age;
}
template<class T1, class T2> //类外实现
void person<T1, T2>::showperson()
{
cout << "姓名: " << this->m_Name << "年龄:" << this->m_Age << endl;
}