From my reading of answers on SO and the cppreference link
The inherited constructors are equivalent to user-defined constructors with an empty body and with a member initializer list consisting of a single nested-name-specifier, which forwards all of its arguments to the base class constructor.
I had concluded that the below classes D
and E
should behave indentically.
#include <string>
#include <utility>
using namespace std;
class B
{
public:
B(string&& a) : a(move(a))
{
}
string a;
};
class D : public B
{
public:
using B::B;
};
class E : public B
{
public:
E(string&& a) : B(a)
{
}
};
string foo()
{
return "bar";
}
int main()
{
D d = foo();//This compiles
E e = foo();//This does not compile
return 0;
}
E e = foo()
rightly fails to compile, since B
's constructor only accepts a string&&
. However, D d = foo()
goes through fine. Why is that?
The compiler used is clang3.5.
EDIT: Also, as explained in this answer, the perfect forwarding idiom isn't a replacement for inheriting constructors. So, what does the body look like exactly?
Because
using B::B
effectively passes the temporary string straight toB
's constructor, where it can still be bound ala&&
(i.e. its value category is still xvalue), then does any extra derived-class initialisation (if there were other data members, a VDT etc). That's highly desirable as the point of using the base class constructors is to allow the same client usage.(That contrasts with
E(string&&)
, inside which where the nameda
parameter is no longer considered a xvalue (expiring temporary) ripe for passing toB::B
.)(If you haven't already, you might want to have a look at (
std::forward
)[http://en.cppreference.com/w/cpp/utility/forward] too... it helps with perfect forwarding of arguments)