有时,构造函数能够调用同一类的另一个构造函数很有用。此功能称为构造函数委托,是C++ 11中引入的。
一个没有委托的示例程序:
// A C++ program to demonstrate need of
// constructor delegation.
#include
using namespace std;
class A {
int x, y, z;
public:
A()
{
x = 0;
y = 0;
z = 0;
}
A(int z)
{
// The below two lines are redundant
x = 0;
y = 0;
/* Only initialize z by passing an argument,
while all the other arguments are
initialized the same way they were,
as in the previous constructor*/
this->z = z;
}
void show()
{
cout << x << '\n'
<< y << '\n'
<< z;
}
};
int main()
{
A obj(3);
obj.show();
return 0;
}
输出:
0
0
3
使用init()解决上述冗余代码问题
在上面的示例中,我们可以看到,尽管上述类的构造函数具有不同的签名,但它们之间的前两行代码是公共的,从而导致代码重复。避免这种情况的一种解决方案就是创建一个可以从两个构造函数中调用的init函数。
// Program to demonstrate use of init() to
// avoid redundant code.
#include
using namespace std;
class A {
int x, y, z;
// init function to initialize x and y
void init()
{
x = 0;
y = 0;
}
public:
A()
{
init();
z = 0;
}
A(int z)
{
init();
this->z = z;
}
void show()
{
cout << x << '\n'
<< y << '\n'
<< z;
}
};
int main()
{
A obj(3);
obj.show();
return 0;
}
输出:
0
0
3
使用构造函数委托来解决上述冗余代码问题
尽管使用init()函数消除重复的代码,但它仍有其自身的缺点。首先,它不那么可读,因为它添加了一个新函数和几个新函数调用。其次,由于init()不是构造函数,因此可以在常规程序流程中调用它,在该程序流程中可能已经设置了成员变量,并且可能已经分配了动态分配的内存。这意味着init()需要额外复杂才能正确处理新的初始化和重新初始化情况。
但是,C++构造函数委托提供了一种优雅的解决方案,通过允许我们将其放置在其他构造函数的初始化列表中来调用该构造函数。下面的程序演示了它是如何完成的:
// Program to demonstrate constructor delegation
// in C++
#include
using namespace std;
class A {
int x, y, z;
public:
A()
{
x = 0;
y = 0;
z = 0;
}
// Constructor delegation
A(int z) : A()
{
this->z = z; // Only update z
}
void show()
{
cout << x << '\n'
<< y << '\n'
<< z;
}
};
int main()
{
A obj(3);
obj.show();
return 0;
}
输出:
0
0
3
重要的是要注意,构造函数委派不同于从另一个构造函数的主体内部调用构造函数,这是不建议的,因为这样做会创建另一个对象并对其进行初始化,而不会对调用它的构造函数创建的对象执行任何操作。
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。