This story is similar to my previous question. All versions of GCC that support C++11, have this exact behaviour. I could not find any other compiler that struggles with my test case.
The test case:
struct BaseFooWrapper
{
BaseFooWrapper(int qux)
{ }
};
struct Foo
{
Foo(BaseFooWrapper & foo)
: foo(foo)
{ }
BaseFooWrapper & foo;
};
struct SomeFooWrapper : public BaseFooWrapper
{
using BaseFooWrapper::BaseFooWrapper;
Foo foo{*this};
};
int main()
{
SomeFooWrapper wrapped_foo(1);
return 0;
}
Live on godbolt.com
This piece of code compiles with clang (3.4 through 4.0), icc (16, 17), Visual C++ (19.00.23506).
If I replace constructor inheritance with a hand-written version, then GCC starts to compile the code:
struct BaseFooWrapper
{
BaseFooWrapper(int qux)
{ }
};
struct Foo
{
Foo(BaseFooWrapper & foo)
: foo(foo)
{ }
BaseFooWrapper & foo;
};
struct SomeFooWrapper : public BaseFooWrapper
{
SomeFooWrapper(int qux)
: BaseFooWrapper(qux)
{ }
Foo foo{*this};
};
int main()
{
SomeFooWrapper wrapped_foo(1);
return 0;
}
Live on godbolt.com
Obviously it is not very handy, especially when you have many such classes, and leads to boilerplate code. Basically, the very thing that inheriting constructors are designed to fix. This behaviour of GCC renders this great c++11 feature unavailable in such cases.
So I am really curious whether I am doing something illegal with regard to the standard or this is a bug in GCC?
Edit:
Filed a bug report.
I could be wrong, but quoting from the n4527 draft standard in [class.this]:
In the OP's code, the initialisation of
SomeFooWrapper::foo
is not taking place in a member function. Therefore the keywordthis
has no reasonable meaning as far as the standard is concerned.Or have I missed something?