最も簡単な方法は、メンバーの型に引数のないコンストラクターを与えないことです。
struct B
{
B(int x) {}
};
struct A
{
B a;
B b;
B c;
};
int main() {
// A a1{ 1, 2 }; // will not compile
A a1{ 1, 2, 3 }; // will compile
別のオプション:メンバーがconst&の場合、すべてのメンバーを初期化する必要があります。
struct A { const int& x; const int& y; const int& z; };
int main() {
//A a1{ 1,2 }; // will not compile
A a2{ 1,2, 3 }; // compiles OK
ダミーのconst&メンバーを1つ持つことができる場合は、@ max66のセンチネルのアイデアと組み合わせることができます。
struct end_of_init_list {};
struct A {
int x;
int y;
int z;
const end_of_init_list& dummy;
};
int main() {
//A a1{ 1,2 }; // will not compile
//A a2{ 1,2, 3 }; // will not compile
A a3{ 1,2, 3,end_of_init_list() }; // will compile
cppreferenceからhttps://en.cppreference.com/w/cpp/language/aggregate_initialization
初期化子句の数がメンバーの数より少ないか、初期化子リストが完全に空の場合、残りのメンバーは値で初期化されます。参照型のメンバーがこれらの残りのメンバーの1つである場合、プログラムの形式は正しくありません。
別のオプションは、max66のセンチネルアイデアを取り、読みやすくするために構文糖を追加することです
struct init_list_guard
{
struct ender {
} static const end;
init_list_guard() = delete;
init_list_guard(ender e){ }
};
struct A
{
char a;
char b;
char c;
init_list_guard guard;
};
int main() {
// A a1{ 1, 2 }; // will not compile
// A a2{ 1, init_list_guard::end }; // will not compile
A a3{ 1,2,3,init_list_guard::end }; // compiles OK