以下是复制我的问题的最小程序:
#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
被垃圾初始化。为什么会这样?从另一个构造函数调用构造函数时是否存在问题?
答案 0 :(得分: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;
};
希望这有帮助!