Given the code:
#include <cassert>
#include <cstdlib>
int
main()
{
struct A { int i; A(int j) : i(j) { ; } };
struct E { int i = 3; };
struct B : A, E { using A::A; };
struct C : A, E { using A::A; };
struct D : B, C { D(int i, int j) : B{i}, C{j} { ; } };
D d{1, 2};
assert(d.B::A::i == 1);
assert(d.C::A::i == 2);
assert(d.B::E::i == 3);
assert(d.C::E::i == 3);
return EXIT_SUCCESS;
}
There are two diamond inheritance occurrences. I want to access to specified data members i
in all bases. How to gain the access? The code from example produces an error:
main.cpp:13:12: error: ambiguous conversion from derived class 'D' to base class 'A':
struct D -> struct B -> struct A
struct D -> struct C -> struct A
assert(d.B::A::i == 1);
^
/usr/include/assert.h:92:5: note: expanded from macro 'assert'
((expr) \
^
main.cpp:14:12: error: ambiguous conversion from derived class 'D' to base class 'A':
struct D -> struct B -> struct A
struct D -> struct C -> struct A
assert(d.C::A::i == 2);
^
/usr/include/assert.h:92:5: note: expanded from macro 'assert'
((expr) \
^
main.cpp:15:12: error: ambiguous conversion from derived class 'D' to base class 'E':
struct D -> struct B -> struct E
struct D -> struct C -> struct E
assert(d.B::E::i == 3);
^
/usr/include/assert.h:92:5: note: expanded from macro 'assert'
((expr) \
^
main.cpp:16:12: error: ambiguous conversion from derived class 'D' to base class 'E':
struct D -> struct B -> struct E
struct D -> struct C -> struct E
assert(d.C::E::i == 3);
^
/usr/include/assert.h:92:5: note: expanded from macro 'assert'
((expr) \
^
4 errors generated.
Compiler is clang 3.7.0.
That is a rather messy class hierarchy. I hope you don't intend to use it in a real application.
Here's one way to get around the hurdle:
// Get references to the B and C parts of D.
B& b = d;
C& c = d;
// Now you can get the A::i and the E::i.
assert(b.A::i == 1);
assert(c.A::i == 2);
assert(b.E::i == 3);
assert(c.E::i == 3);