If I have a class A (which returns an object by value ), and two functions f() and g() having difference in just their return variables :
class A
{
public:
A () { cout<<"constructor, "; }
A (const A& ) { cout<<"copy-constructor, "; }
A& operator = (const A& ) { cout<<"assignment, "; }
~A () { cout<<"destructor, "; }
};
const A f(A x)
{A y; cout<<"f, "; return y;}
const A g(A x)
{A y; cout<<"g, "; return x;}
main()
{
A a;
A b = f(a);
A c = g(a);
}
Now when I execute the line A b = f(a);
, it outputs:
copy-constructor, constructor, f, destructor
, which is fine assuming that object y in f() is created directly at the destination i.e at the memory location of object b, and no temporaries involved.
While when I execute the line A c = g(a);
, it outputs:
copy-constructor, constructor, g, copy-constructor, destructor, destructor,
.
So the question is why in the case of g() cant the object be directly created at memory location of c, the way it happened while calling f() ? Why it calls an additional copy-constructor ( which I presume is because of the involvement of temporary ) in the 2nd case ?
The difference is that in the
g
case, you are returning a value that was passed to the function. The standard explicitly states under which conditions the copy can be elided in 12.8p31 and it does not include eliding the copy from a function argument.Basically the problem is that the location of the argument and the returned object are fixed by the calling convention, and the compiler cannot change the calling convention based on the fact that the implementation (that might not even be visible at the place of call) returns the argument.
I started a short lived blog some time ago (I expected to have more time...) and I wrote a couple of articles about NRVO and copy elision that might help clarify this (or not, who knows :)):
Value semantics: NRVO
Value semantics: Copy elision