在 C++ 中,std::decay
是一个模板元函数,它可以将类型转换为其对应的非引用、非 cv-qualified(即非 const/volatile 修饰)类型
以下是一个简单的例子,展示了如何使用 std::decay
实现一个简单的智能指针:
#include<iostream>
#include <type_traits>
template<typename T>
class SmartPointer {
public:
explicit SmartPointer(T* ptr = nullptr) : _ptr(ptr) {}
// 析构时释放资源
~SmartPointer() {
delete _ptr;
}
// 重载解引用运算符
typename std::add_lvalue_reference<T>::type operator*() const {
return *_ptr;
}
// 重载箭头运算符
T* operator->() const {
return _ptr;
}
private:
T* _ptr;
};
template<typename T>
using DecaySmartPointer = SmartPointer<typename std::decay<T>::type>;
int main() {
DecaySmartPointer<int> p1(new int(42));
std::cout << "Value of p1: " << *p1<< std::endl;
DecaySmartPointer<int[]> p2(new int[3]{1, 2, 3});
std::cout << "Value of p2[0]: " << p2[0] << ", Value of p2[1]: " << p2[1] << ", Value of p2[2]: " << p2[2]<< std::endl;
return 0;
}
在这个例子中,我们定义了一个简单的智能指针 SmartPointer
,并使用 std::decay
创建了一个新的类型别名 DecaySmartPointer
。这样,当我们使用 DecaySmartPointer
时,传入的类型会被自动转换为其对应的非引用、非 cv-qualified 类型。这使得我们可以更方便地使用智能指针来管理不同类型的资源。