Are ={} and {}-style initializations the same in C++11?

老子叫甜甜 提交于 2019-11-29 17:38:49

问题


C++11 introduced {}-style initializations. But are these two forms

T x {...};
T x = {...};

the same?


回答1:


They are not exactly the same. Maybe this can be illustrated by a counter-example:

struct Foo
{
  explicit Foo(std::initializer_list<int>) {}
};

int main()
{
  Foo f0{1, 2, 3};    // OK
  Foo f1 = {1, 2, 3}; // ERROR
}

So, the second variant requires that the type be implicitly constructable from an initialization list, whereas the first version doesn't. Note that the same applies for constructors of the form Foo(int, int, int). I chose the initializer_list<int> as an example arbitrarily.

This would affect certain types written following the "explicit everywhere" philosophy (whereby people marked multi-parameter constructors explicit in C++03 code, even if it made no sense in that standard.)




回答2:


In addition to the difference explained in juanchopanza's answer, there is another difference, a breaking change, between direct-list-initialization and copy-list-initialization when it comes to auto and type deduction of the braced-init-list. Although it was not added as part of C++14 (last Q&A item), the issue has been identified and it is up to the committee when it will be implemented.

For instance,

auto foo = {42};  // deduces foo as an initializer_list<int>
auto foo{42};     // deduces foo as an int

So direct-list-initialization never deduces an initializer_list from the argument. Consequently, the following will be ill-formed.

auto foo{1,2};    // cannot have multiple initializers for 
                  // direct-list-initialization when deducing type

But this is OK:

auto foo = {1,2}; // copy-list-initialization still deduces initializer_list<int>

The same applies to generalized captures within lambda expressions. Quoting N3912

[x{5}](){};        // x is int
[x{1,2}](){};      // ill-formed, no multiple initializers with direct-init
[x = {5}](){};     // ok, x is an initializer_list<int> with one element
[x = {1,2}](){};   // ok, x is an initializer_list<int> with two elements



回答3:


The syntax when using them in one case means different things

struct A { };

namespace X {
  struct A final {};
  struct A final = {};
}

In the first case, we are defining a struct called A, and in the second case we are defining an object called final.



来源:https://stackoverflow.com/questions/22427335/are-and-style-initializations-the-same-in-c11

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!