如何在构造函数中禁用字段初始化



是否可以在构造函数中禁用字段初始化?我不希望我的类的构造函数调用这个类的字段的构造函数,我怎么能不使用malloc?我想这样做是为了避免代码中的双重初始化:

class A() {
   A(int n): N(n) {}
}
class B() : public A() {
    B(int n) : A(n) {}
    B() {
        new(this) B(42);
    }
}

简单地说:你不能。总是调用成员的构造函数。这很好,因为如果一个对象缺少了可行的部分,它就不会被构造。我说的可行是指与可选相反。c++中的可选选项应该用指针或boost::optional表示,就像注释中建议的那样。

此外,如果在构造函数中this调用placement new,这是一种语言犯罪,因为你第二次初始化对象。简单地说,你在这里弄乱了对象生命周期,这是可疑的,容易出错的,而且很难理解和维护。

你正在寻找的是根本不可能在c++ 03。然而,c++ 11中可能的是所谓的委托构造函数,这可能就是您正在寻找的:

class B() : public A() {
    B(int n) : A(n) {}
    B() : B(42) //delegate the default ctor to the int ctor
    { /* do more stuff*/ } 
}

然而,你不能对它们做所有的——你可以调用同一类的另一个构造函数。

我觉得我理解你的问题,你想要Delegating Constructors,但这只适用于c++ 11

class Notes {
  int k;
  double x;
  std::string st;
public:
  Notes();
  Notes(int);
  Notes(int, double);
  Notes(int, double, std::string);
};
Notes::Notes(int kk, double xx, std::string stt) : k(kk),
  x(xx), st(stt) {/*do stuff*/}
Notes::Notes() : Notes(0, 0.01, "Oh") {/* do other stuff*/}
Notes::Notes(int kk) : Notes(kk, 0.01, "Ah") {/* do yet other stuff*/ }
Notes::Notes( int kk, double xx ) : Notes(kk, xx, "Uh") {/* ditto*/ }

相关内容

  • 没有找到相关文章

最新更新