C++ 模板編程是一種強大的編程技巧,它允許程序員編寫與數(shù)據(jù)類型無關的代碼。模板可以用于創(chuàng)建泛型函數(shù)和類,從而提高代碼的復用性和靈活性。C++ 模板編程主要涉及到兩種類型:類模板和函數(shù)模板。
類模板允許你創(chuàng)建一個通用的類,該類可以處理多種數(shù)據(jù)類型。類模板的定義以關鍵字 template
開始,后跟尖括號內(nèi)的模板參數(shù)列表。例如,以下代碼定義了一個簡單的類模板 MyContainer
,它可以存儲任意類型的元素:
template <typename T>
class MyContainer {
public:
void add(const T& item) {
data.push_back(item);
}
T get(int index) const {
return data.at(index);
}
private:
std::vector<T> data;
};
在這個例子中,T
是一個模板參數(shù),表示任意類型。你可以使用不同的類型實例化這個類模板,例如:
MyContainer<int> intContainer;
intContainer.add(1);
intContainer.add(2);
MyContainer<std::string> stringContainer;
stringContainer.add("Hello");
stringContainer.add("World");
函數(shù)模板允許你創(chuàng)建一個通用的函數(shù),該函數(shù)可以處理多種數(shù)據(jù)類型。函數(shù)模板的定義與類模板類似,但使用 template
關鍵字后跟尖括號內(nèi)的模板參數(shù)列表。例如,以下代碼定義了一個簡單的函數(shù)模板 printVector
,它可以打印任意類型的向量:
template <typename T>
void printVector(const std::vector<T>& vec) {
for (const auto& item : vec) {
std::cout << item << " ";
}
std::cout << std::endl;
}
在這個例子中,T
是一個模板參數(shù),表示任意類型。你可以使用不同的類型實例化這個函數(shù)模板,例如:
std::vector<int> intVec = {1, 2, 3, 4, 5};
printVector(intVec); // 輸出:1 2 3 4 5
std::vector<std::string> stringVec = {"Hello", "World"};
printVector(stringVec); // 輸出:Hello World
這就是 C++ 模板編程的基本概念。通過使用模板,你可以編寫更加通用、靈活和可重用的代碼。