3

以下是复制我的问题的最小程序:

#include <iostream>

using namespace std;

class Test
{
public:
    Test()
    {
        _a = 0;
    }
    Test(int t)
    {
        Test();
        _b = t;
    }
    void Display()
    {
        cout << _a << ' ' << _b << endl;
    }
private:
    int _a;
    int _b;
};

int main()
{
    Test test(10);
    test.Display(); // 70 10

    return 0;
}

当我这样做时,_a用垃圾初始化。为什么会这样?从另一个构造函数中调用构造函数时是否存在问题?

4

1 回答 1

10

这里的问题在于这段代码:

Test(int t)
{
    Test();
    _b = t;
}

这不会调用默认Test构造函数,然后设置_b = t。相反,它Test使用默认构造函数创建一个类型的临时对象,忽略该临时对象,然后设置_b = t. 因此,默认构造函数不会为接收器对象运行,因此_a将保持未初始化状态。

要解决此问题,在 C++11 中,您可以编写

Test(int t) : Test() {
    _b = t;
}

它确实调用了默认构造函数,或者(在 C++03 中)您可以将默认构造函数中的初始化代码分解为您从默认构造函数和参数化构造函数调用的辅助成员函数:

Test() {
    defaultInit();
}
Test(int t) {
    defaultInit();
    _b = t;
}

或者,如果您有 C++11 编译器,只需使用默认初始化程序消除默认构造函数,如下所示:

class Test
{
public:
    Test() = default;
    Test(int t)
    {
        _b = t;
    }
    void Display()
    {
        cout << _a << ' '<< _b << endl;
    }
private:
    int _a = 0;
    int _b;
};

希望这可以帮助!

于 2013-06-21T02:05:46.717 回答