In a comment to another question Jonathan Wakely responds to my statement:
You never need explicit move for a local variable function return value. It's implicit move there
->
... never say never ... You need an explicit move if the local variable is not the same type as the return type, e.g.
std::unique_ptr<base> f() { auto p = std::make_unique<derived>(); p->foo(); return p; }
, but if the types are the same it will move if possible ...
So it seems sometimes we may have to move a local variable on return.
The example
std::unique_ptr<base> f() {
auto p = std::make_unique<derived>();
p->foo();
return p;
}
is nice in that it gives a compilation error
> prog.cpp:10:14: error: cannot convert ‘p’ from type
> ‘std::unique_ptr<derived>’ to type ‘std::unique_ptr<derived>&&’
but I'm wondering whether there is a good chance to detect this in general -- and is this here a limit of the language rules or of unique_ptr
??
Update:
Explicit move should not be needed in modern compiler versions.
Core DR 1579 changed the rules so that the return value will be treated as an rvalue even when the types are not the same. GCC 5 implements the new rule, for C++11 as well as C++14.
Original answer:
This is not a limitation of
unique_ptr
, it's a limitation of the language, the same limitation applies to anyreturn
statement that calls a converting constructor taking an rvalue reference:This will not compile because [class.copy]/32 says:
This means that the expression in a
return
statement can only be treated as an rvalue if it is eligible for copy/move elision (aka NRVO) but that is too restrictive because it means it only applies when the type is exactly the same, even though the variable is always going out of scope so it would be reasonable to always treat is as an rvalue (technically as an xvalue, an expiring value.)This was recently suggested by Richard Smith (and previously by Xeo) and I think it's a very good idea.