<type_traits>

类模板
<type_traits>

std::is_pod

template <class T> struct is_pod;
POD 类型判定

类型特征类,用于判断T是否为POD类型。

一个POD类型(Plain Old Data的缩写)是其特性由C语言中的一种数据类型支持的类型,可以是被cv限定的,也可以是没有被cv限定的。这包括标量类型、POD类以及任何此类类型的数组。

一个POD类是一个既平凡(只能进行静态初始化)又标准布局(具有简单的数据结构)的类,因此它在很大程度上仅限于具有与C语言中声明的C数据结构兼容的类的特性struct联合体在该语言中,即使在它们的声明中可以使用扩展的C++语法,并且可以具有成员函数。

is_pod继承自integral_constant,其值为true_typefalse_type,取决于T是否为POD类型。

模板参数

T
一个完整类型,或者void(可能被cv限定),或一个未知界限的数组,其元素类型是完整的。

成员类型

继承自 integral_constant
成员类型定义
value_typebool
类型true_type 或 false_type

成员常量

继承自 integral_constant
成员常量定义
truefalse

成员函数

继承自 integral_constant

示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
// is_pod example
#include <iostream>
#include <type_traits>

struct A { int i; };            // C-struct (POD)
class B : public A {};          // still POD (no data members added)
struct C : B { void fn(){} };   // still POD (member function)
struct D : C { D(){} };         // no POD (custom default constructor)

int main() {
  std::cout << std::boolalpha;
  std::cout << "is_pod:" << std::endl;
  std::cout << "int: " << std::is_pod<int>::value << std::endl;
  std::cout << "A: " << std::is_pod<A>::value << std::endl;
  std::cout << "B: " << std::is_pod<B>::value << std::endl;
  std::cout << "C: " << std::is_pod<C>::value << std::endl;
  std::cout << "D: " << std::is_pod<D>::value << std::endl;
  return 0;
}

输出
is_pod:
int: true
A: true
B: true
C: true
D: false


另见