std::decay
是 C++ 标准库中的一个模板元函数,它可以将给定的类型转换为其对应的“衰减”类型。这通常意味着从给定的类型中移除 cv 限定符(const 和 volatile),并将数组和函数类型转换为相应的指针类型。std::decay
主要用于实现“类型衰减”以便在模板元编程和泛型编程中更容易处理类型。
以下是如何在 C++ 中使用 std::decay
进行类型推导的示例:
#include<iostream>
#include <type_traits>
template<typename T>
void print_decayed_type() {
using decayed_type = typename std::decay<T>::type;
std::cout << "Decayed type of "<< typeid(T).name() << " is "<< typeid(decayed_type).name()<< std::endl;
}
int main() {
int arr[10];
print_decayed_type<decltype(arr)>(); // 输出:Decayed type of int [10] is int*
void func();
print_decayed_type<decltype(func)>(); // 输出:Decayed type of void __cdecl(void) is void (__cdecl*)(void)
const int& ref = 42;
print_decayed_type<decltype(ref)>(); // 输出:Decayed type of int const& is int
return 0;
}
在上面的示例中,我们定义了一个名为 print_decayed_type
的模板函数,该函数接受一个类型参数 T
。我们使用 std::decay
来获取 T
的衰减类型,并将结果存储在类型别名 decayed_type
中。然后,我们打印原始类型 T
和衰减类型 decayed_type
的名称。
注意,typeid(...).name()
返回的类型名称因编译器而异,因此输出可能会有所不同。