继承引用成员的构造函数中的C ++默认初始化

时间:2012-07-18 08:33:30

标签: c++ inheritance reference constructor initialization

我有一个更新extern引用的基类,我想构建一个将该引用嵌入为成员的继承类。一种默认的引用初始化。

我提出了以下解决方案:

#include<iostream>

class Statefull
{
public:
    Statefull( int& ref ) : _base_ref(ref) {}
    int& _base_ref;
    // update the extern variable
    void work() { std::cout << ++_base_ref << std::endl; }
};

class Stateless : public Statefull
{
public:
    // use a temporary allocation
    Stateless( int* p = new int() ) :
        // we cannot initialize local members before base class:
        // _dummy(), Statefull(_dummy)
        // thus, initialize the base class on a ref to the temporary variable
        Statefull(*p),
        _tmp(p),
        _dummy()
    {
        // redirect the ref toward the local member
        this->_base_ref = _dummy;
    }
    int* _tmp;
    int _dummy;
    // do not forget to delete the temporary
    ~Stateless() { delete _tmp; }
};

int main()
{
    int i = 0;
    Statefull full(i);
    full.work();

    Stateless less;
    less.work();
}

但是在构造函数的默认参数中需要临时分配似乎非常难看。在在基类构造函数中保留引用时,是否有更优雅的方法来实现这种默认初始化?

3 个答案:

答案 0 :(得分:4)

嗯,Stateless级违反了三级规则。但我会假设这是因为这只是展示真实问题的示例代码。

现在,要真正解决这个问题:将引用绑定到未初始化的变量是完全有效的,只要在初始化实际发生之前不使用它的值。

Stateless() : Statefull(_dummy), _dummy() {}

目前的解决方案有效,但似乎有一些误解为什么有效。

    // redirect the ref toward the local member
    this->_base_ref = _dummy;

您无法“重定向”引用。您只能绑定一次引用:初始化时。分配给引用会分配给它引用的对象。在这种情况下,this->_base_ref = _dummy *_tmp = _dummy完全相同:它将_dummy的值分配给*_tmp。但是,_base_ref仍然引用*_tmp(您可以使用assert(&_base_ref == tmp)对此进行测试。)

答案 1 :(得分:1)

我认为这可行:

StateLess(): Statefull(*new int) {}
~StateLess() { delete &_base_ref; }

你不能没有临时工,但他们不必参与课程定义。

答案 2 :(得分:0)

使用更多的课程可以解决所有问题

class StateForStateful
{
protected:
    int state;
};

class Stateless: private StateForStateful, public Stateful // order is important
{
public:
     Stateless():Stateful(this->state) {}
};