Мне интересно, пользуюсь ли я следующим подходом:
- Я хочу создать родительский класс (класс A), этот класс должен владеть экземпляром данного класса "Foo"
- Я хочу, чтобы родительский класс владел дочерним членом класса (класс B), и этот член должен иметь ссылку на член foo родительского класса.
Кажется, что приведенный ниже код работает, но мне интересно, повезло ли мне, что компилятор был достаточно сочувствующим.
Для ясности я добавил комментарий и свой вопрос в комментарии ниже.
Спасибо!
struct Foo
{
std::string mValue;
};
class B
{
public:
B(const Foo & foo) : mFoo_External(foo) {}
private:
const Foo & mFoo_External; //this is an external reference to the member
//(coming from A)
};
class A
{
public:
//Here is the big question
//Shall I use :
// A(const Foo & foo) : mFoo(foo), mB(mFoo) {}
// or the declaration below
A(const Foo & foo) : mFoo(foo), mB(foo) {}
private:
//According to my understanding, the declaration
//order here *will* be important
//(and I feel this is ugly)
const Foo mFoo;
B mB;
};
void MyTest()
{
std::auto_ptr<Foo> foo(new Foo());
foo->mValue = "Hello";
A a( *foo);
foo.release();
//At this point (after foo.release()), "a" is still OK
//(i.e A.mB.mFooExternal is not broken, although foo is now invalid)
//
//This is under Visual Studio 2005 :
//was I lucky ? Or is it correct C++ ?
}