发布时间:2024-08-06 18:01
#include
#include
#include
using namespace std;
/*
1.1模板概念
C++另一种编程思想称为 泛型编程 ,主要利用的技术就是模板
C++提供两种模板机制:函数模板和类模板
*/
/*
1.2函数模板
1.2.1函数模板语法
作用:建立一个通用函数,其函数返回值类型和形参类型可以不具体制定,用一个虚拟的类型来代表。
语法:template
函数声明或定义
解释:template --- 声明创建模板
typename --- 表示其后面的符号是一种数据类型,可以用class代替
T --- 通用的数据类型,名称可以替换,通常为大写字母
*/
void swap_int(int & x, int & y){
int temp = x;
x = y;
y = temp;
}
void swap_double(double & x, double & y){
double temp = x;
x = y;
y = temp;
}
void test_1(){
int a = 10;
int b = 20;
swap_int(a, b);
cout << "a=" << a << endl;
cout << "b=" << b << endl;
double c = 1.1;
double d = 2.2;
swap_double(c, d);
cout << "c=" << c << endl;
cout << "d=" << d << endl;
}
// 函数模板
template // 声明模板,告诉编译器下面紧跟着的T是一个通用数据类型,不要报错
void my_swap(T & x, T & y){
T temp = x;
x = y;
y = temp;
}
void test_2(){
int a = 10;
int b = 20;
my_swap(a, b); // 函数模板使用方法1:自动类型推导
cout << "a=" << a << endl;
cout << "b=" << b << endl;
double c = 1.1;
double d = 2.2;
my_swap(c, d); // 函数模板使用方法2:显示指定类型
cout << "c=" << c << endl;
cout << "d=" << d << endl;
}
int main(){
test_1();
cout << endl;
test_2();
system("pause");
return 0;
}