C++模板:https://www.runoob.com/cplusplus/cpp-templates.html
模板是泛型编程的基础,泛型编程即以一种独立于任何特定类型的方式编写代码。
模板是创建泛型类或函数的蓝图或公式。库容器,比如迭代器和算法,都是泛型编程的例子,它们都使用了模板的概念。
每个容器都有一个单一的定义,比如向量,我们可以定义许多不同类型的向量,如vector<int>或vector<string>
下面是一个简单的函数模板的例子:
#define _CRT_SECURE_NO_WARNINGS
#include <iostream>
/*
1. 类模板必须显示的指定类型
2. 下面的程序是函数模板数组排序的一个例子
3. 在你的函数中有几种不同类型的就需要声明几个不同的模板
*/
using namespace std;
//数组打印函数
template<typename T>
void PrintArray(T* arr, int len)
{
for(int i=0;i<len;i++)
{
cout << arr[i] << " ";
}
cout << endl;
}
//数组排序函数 从大到小排序
template<typename T, typename T1>
void MySort(T* arr, T1 len)
{
for(int i=0;i<len;i++)
for (int j = i + 1; j < len; j++)
{
if (arr[i] < arr[j])
{
int temp = arr[i];
arr[i] = arr[j];
arr[j] = temp;
}
}
}
int main(void)
{
int arr[] = { 3,6,1,8,9,0 };
int len = sizeof(arr) / sizeof(int);
cout << "排序前-----------------" << endl;
PrintArray(arr, len);
MySort(arr, len);
cout << "排序后-----------------" << endl;
PrintArray(arr, len);
char arrChar[] = { 'a','v','c','b' };
len = sizeof(arrChar) / sizeof(char);
cout << "排序前-----------------" << endl;
PrintArray(arrChar, len);
MySort(arrChar, len);
cout << "排序后-----------------" << endl;
PrintArray(arrChar, len);
cout << "hello world" << endl;
system("pause");
return 0;
}