We all know and love the new C++11's uniform initialization feature (aka curly braces initialization), and, to be frank, there is much to warrant this love, like:
with structs
1 2 3 | struct X { bool x{ false }; int i; ...}; X x = { true , 100, ... }; X x{ true , 100, ... }; |
1 2 3 | struct Y { int arr[3], bool b, ...}; Y y{ {0,1,2}, false , ... }; int * intArray = new int [3]{1, ,2, 3}; |
1 2 | std::vector< int > a = { 1, 2, 4 }; // yesss! At last! QMap<QString, QVector< int >> a = { { "0x111" , { 1, 1, 1} }, { "0x100" , { 1, 0, 0} } }; |
because it's universal, you can use it for types too:
1 2 | int i{1}; int j{}; |
1 2 | int i(1); int j(0); // not j()! I never used () but assumed it to be the default initialized int :( |
1. The first one
— marek krajewski (@mrkkrj) August 22, 2016this is an old problem: unexpectedly, the compiler will consider this:
1 | TimeKeeper time_keeper(); |
1 2 3 4 5 | class TimeKeeper { public : TimeKeeper(); int get_time(); }; |
1 | int t = time_keeper.get_time(); |
1 2 | TimeKeeper time_keeper1{}; int t = time_keeper1.get_time(); |
1 | TimeKeeper time_keeper(Timer()); |
1 | TimeKeeper time_keeper{Timer()}; |
2. The second one
Here Bjarne himself explains that:C++ FAQ: "However, in C++11, {} initialization doesn't narrow..." https://t.co/nc2xYfsQrQ #cpp11— marek krajewski (@mrkkrj) September 29, 2016
1 | int x = 7.3; // Ouch! |
1 2 | int x0 {7.3}; // error: narrowing int x1 = {7.3}; // error: narrowing |
1 2 | char c1{7}; // OK: 7 is an int, but it fits in a char char c2{77777}; // error: narrowing (assuming 8-bit chars) |
Considered I am a traditionalist and like my code to look like a old, regular C++, but these features make a nice argument in favor of using curly braces instead of the normal ones! Will for sure consider that!
3 comments:
Actually
int j{}; // (1)
is not the same as:
int j(); // (2)
Since (2) is also an example of the "most vexing parse" you're talking about later in your post.
Try:
int j();
j = 2;
@Anonymous - vexing, vexing, from my old days I remembered this to be a default initialized (i.e. zeroed) integer. Will check that. Thanks!
This is one situation I find it neat:
std::ifstream source("myfile.dat", std::ios::binary);
std::vector data(std::istreambuf_iterator(source), {});
For context of this code check:
http://stackoverflow.com/questions/4423361/constructing-a-vector-with-istream-iterators
My answer using this is listed there, but it's not the accepted one.
Post a Comment