作为一个c#开发人员,我习惯了遍历构造函数:
class Test {
public Test() {
DoSomething();
}
public Test(int count) : this() {
DoSomethingWithCount(count);
}
public Test(int count, string name) : this(count) {
DoSomethingWithName(name);
}
}
在c++中有办法做到这一点吗?
我尝试调用类名和使用'this'关键字,但都失败了。
如果你想变邪恶,你可以使用“new”操作符:
class Foo() {
Foo() { /* default constructor deliciousness */ }
Foo(Bar myParam) {
new (this) Foo();
/* bar your param all night long */
}
};
似乎对我有用。
edit
正如@ElvedinHamzagic指出的,如果Foo包含一个分配内存的对象,那么该对象可能不会被释放。这使事情更加复杂。
一个更普遍的例子:
class Foo() {
private:
std::vector<int> Stuff;
public:
Foo()
: Stuff(42)
{
/* default constructor deliciousness */
}
Foo(Bar myParam)
{
this->~Foo();
new (this) Foo();
/* bar your param all night long */
}
};
看起来确实没那么优雅。@JohnIdol的解决方案好多了。
c++ 11:是的!
c++ 11及以后的版本也有同样的特性(称为委托构造函数)。
语法与c#略有不同:
class Foo {
public:
Foo(char x, int y) {}
Foo(int y) : Foo('a', y) {}
};
c++ 03:不
值得指出的是,你可以在你的构造函数中调用父类的构造函数,例如:
class A { /* ... */ };
class B : public A
{
B() : A()
{
// ...
}
};
但是,在c++ 03之前,你不能调用同一个类的另一个构造函数。