#include<iostream>
#include<stdlib.h>
#include<string>
using namespace std;
/*
1.2.2函数模板注意事项
自动类型推导,必须推导出一致的数据类型T,才可以使用
模板必须要确定出T的数据类型,才可以使用
*/
template<class T> // typename可以替换为class
void my_swap(T&x, T&y){
T temp = x;
x = y;
y = temp;
}
void test_1(){
int a = 111;
int b = 222;
char c = 'ccc';
my_swap(a, b); // 正确
cout << a << endl;
cout << b << endl;
/*
my_swap(a, c); // 错误,T出现二义性,编译器推导不出一致的T类型
cout << a << endl;
cout << c << endl;
*/
}
template<class T>
void func(){
cout << "func调用。。。" << endl;
}
void test_2(){
//func(); // 未说明T的类型,不允许调用,报错
func<int>(); // ok 可以调用
}
int main(){
test_1();
test_2();
system("pause");
return 0;
}