参考链接

​RUNOOB.COM​

模板处理

   函数模板不是一个实在的函数,编译器不能为其生成可执行代码。定义函数模板后只是一个对函数功能框架的描述,当它具体执行时,将根据传递的实际参数决定其功能。模板分为函数模板和类模板。

函数模板的定义方式

template <class type1, class type2, ...> 返回类型 函数名(参数列表)
{
/*核心函数*/
}

实例

#include <iostream>

using namespace std;

template <typename T>
inline T const& addition(T const& var1, T const& var2) //定义模板函数 根据数据的数据类型来确定T的类型
{
return var1 + var2;
}

int main()
{
cout << "2 + 3 = " << addition(2, 3) << endl;
cout << "2.5 + 3.5 = " << addition(2.5, 3.5) << endl;

getchar();
}

运行结果

2 + 3 = 5
2.5 + 3.5 = 6

类模板的定义方式

template <class type> class 类名
{
/*核心函数*/
}

实例

#include <iostream>
#include <string>

using namespace std;

template <typename T>
class ComplexClass {

public:
//构造函数
ComplexClass(T a, T b)
{
this->iVar1 = a;
this->iVar2 = b;
}

//运算符重载
ComplexClass<T> operator+(ComplexClass &c)
{
ComplexClass<T> tmp(this->iVar1 + c.iVar1, this->iVar2 + c.iVar2);
cout << "iVar1 = " << tmp.iVar1 << " iVar2 = " << tmp.iVar2 << endl;
return tmp;
}

private:
T iVar1;
T iVar2;
};

int main()
{
//对象的定义,必须声明模板类型,因为要分配内容
ComplexClass<int> complex1(10, 20);
ComplexClass<int> complex2(20, 30);
ComplexClass<int> complex3 = complex1 + complex2;
getchar();
return 0;
}

运行结果

iVar1 = 30 iVar2 = 50

更多《计算机视觉与图形学》知识,可关注下方公众号:

刷野打怪上王者·C++篇·第21期·模板处理_函数模板