C++03 风格
#include "fileWithStruct.h"
/* say the contents were
struct foo
{
   int foo1;
   float foo2;
};
*/
class myClass
{
    public:
        int val;
        foo bar;
        // since foo is a POD-struct (a.k.a C struct), no constructor would be present
        // however bar() will zero-initialize everything in the struct
        myClass() : val(), bar()
        {
        }
};
括号后面bar的事项。请参阅值和零初始化以了解其工作原理。需要注意的是,通过向 中添加构造函数myClass,我们使其成为非 POD 类型。要解决此问题,可以将其保留myClass为聚合并写入:
class myClass
{
    public:
        int val;
        foo bar;
};
int main()
{
   myClass zeroed_obj = { };
   myClass inited_obj = { 2, {0, 1.0f} };
   myClass partially_inited_obj = { 2 };    // equivalent to {2, {}}; which would zero all of myClass::bar
   myClass garbage_obj;    // warning: when left uninitialized, every member without a constructor will end up with garbage value
}
C++11 风格
class myClass
{
public:
   // default member initializations
   int val = { };         // zero-initialization
   foo bar = { 0, 0.0f }; // aggregate-initializing foo here, just giving { } will zero all of myClass::bar
   // should you want to receive an element from the constructor, this can be done too
   // aggregate initializing a struct in constructor initialization list is allowed from C++11 onwards
   // in C++03, we would've resorted to just setting the member of bar inside the constructor body
   myClass(int _foo1) : val{}, bar{_foo1, 0.f}
   {
   }
   // since we've a non-default constructor, we've to re-introduce the default constructor
   // if we need the above in-class initialization to work
   myClass() = default;
};
这里我们使用 C++11 的统一初始化语法。但是,这样做myClass会变成非 POD 类型;成员初始化类似于向类添加构造函数,从而呈现myClass一个非平凡但标准布局的类。根据 C++11,对于一个要成为 POD 的类,它应该是普通的和标准的布局。而是做
#include "fileWithStruct.h"
#include <type_traits>
#include <iostream>
class myClass
{
public:
   int val;
   foo bar;
};
int main()
{
    myClass obj { }; // initializes val, bar.foo1 and bar.foo2 to 0
    myClass m { 0, {1, 2.0f} }; // initilizes each member separately
    std::cout << std::is_pod<myClass>::value << std::endl; // will return 1
}
将保留myClass为 POD。
请参阅这篇出色的帖子以了解有关聚合和 POD 的更多信息。