目录
模板
(1)函数模板
(2)类模板
模板
????????用类模版实例化一个特定的类,需要在模版名后用<> 提供额外的信息。实例化类模版需要包含全部信息,包括类成员函数的定义,用于广泛的数据类型——泛型。
?????(1)函数模板
????????关键字:template、typename/class(模板形参)
???????????声明格式:其中class 关键字可以替换 typename
?????template <typename 形参名1, typename 形参名2, ..., typename 形参名n>
?????class 类名
?????{
??????? ...
?????};
????????示例程序:
#include <iostream>
using namespace std;
template<class T>
void Swap(T& x, T& y) //此处为(int &, int &)函数
{
? ?T t = x;//此处 T 为 int
? ?x = y;
? ?y = t;
? ?cout << x << " " << y << endl;
}
int main()
{
? ?int a = 10, b = 20;
? ?Swap(a, b); ?
?
? ?return 0;
}
注:
-
模板形参和函数形参一一对应。 -
类模版的成员函数具有和这个类模版相同的模版参数。 -
模板形参为非类型形参。 -
模板函数可以发生重载,返回值也可以为模板函数。
(2)类模板
声明格式:
template<模板形参>class类名
{
//类体
};
????????模板类的实例化:
????????类名<数据类型>对象名(构造函数的参数列表);
??? Test<int>test(10);//表示模板形参类型为int型
????????示例程序:
#include<iostream>
using namespace std;
?
/* 类模板的定义:类模板的使用类模板做函数参数 */
template <class T1>
class Test
{
public:
int a;
Test(T1 b)//T1就是‘b’所对应的类型 'int'
{
a = b;
cout << "a=" << a << endl;
}
};
int main()
{
Test<int>test(10);//表示模板形参类型为int型
return 0;
}
?
类模板和函数模板的区别:
注:?
|