1.类模板没有自动类型推导的使用方式
#include<iostream>
#include<string>
using namespace std;
//类模板
template<class Name,class Age>
class Person {
public:
Name name;
Age age;
Person(Name name, Age age) :name(name), age(age) {
cout << "姓名:" << this->name << " " << "年龄: " << this->age << endl;
}
};
//1.类模板没有自动类型推导的使用方式
void test()
{
//Person("大忽悠", 18); 错误,无法使用自动类型推导
Person<string,int> p("大忽悠",18); //正确只能显示指定类型
}
int main()
{
test();
system("pause");
return 0;
}
2.类模板在模板参数列表中可以有参数
#include<iostream>
#include<string>
using namespace std;
//类模板
//类模板在模板参数列表中可以有参数
template<class Name,class Age=int >
class Person {
public:
Name name;
Age age;
Person(Name name, Age age) :name(name), age(age) {
cout << "姓名:" << this->name << " " << "年龄: " << this->age << endl;
}
};
//2.类模板在模板参数列表中可以有参数
void test()
{
Person<string> p("大忽悠",18);
}
int main()
{
test();
system("pause");
return 0;
}