The standard and the C++ book say that the default constructor for class type members is called by the implicit generated default constructor, but built-in types are not initialized. However, in this test program I get unexpected results when allocating an object in the heap or when using a temporary object:
#include<iostream>
struct Container
{
int n;
};
int main()
{
Container c;
std::cout << "[STACK] Num: " << c.n << std::endl;
Container *pc = new Container();
std::cout << "[HEAP] Num: " << pc->n << std::endl;
delete pc;
Container tc = Container();
std::cout << "[TEMP] Num: " << tc.n << std::endl;
}
I get this output:
[STACK] Num: -1079504552
[HEAP] Num: 0
[TEMP] Num: 0
Is this some compiler specific behaviour? I don't really intend to rely on this, but I'm curious to know why this happens, specially for the third case.
It's expected behaviour. There are two concepts, "default initialization" and "value initialization". If you don't mention any initializer, the object is "default initialized", while if you do mention it, even as () for default constructor, the object is "value initialized". When constructor is defined, both cases call default constructor. But for built-in types, "value initialization" zeroes the memory whereas "default initialization" does not.
So when you initialize:
it will call default constructor if one is provided, but primitive types will be uninitialized. However when you mention an initializer, e.g.
a primitive type (or primitive members of a structure) will be VALUE-initialized.
Similarly for:
if you define the constructor
the x member will be uninitialized, but if you define the constructor
it will be VALUE-initialized. That applies to
new
as well, soshould give you uninitialized memory, but
should give you memory initialized to zero. Unfortunately the syntax:
is not allowed due to grammar ambiguity and
is obliged to call default constructor followed by copy-constructor if they are both specified and non-inlineable.
C++11 introduces new syntax,
which is usable for both cases. If you are still stuck with older standard, that's why there is Boost.ValueInitialized, so you can properly initialize instance of template argument.
More detailed discussion can be found e.g. in Boost.ValueInitialized documentation.
The short answer is: the empty parenthesis perform value initialization.
When you say
Container *pc = new Container;
instead, you will observe different behavior.