我听说在构造函数中使用初始化列表的好处是不会有额外的类类型对象副本。但是对于类T构造函数中的下面代码意味着什么呢?如果我注释赋值和使用初始化列表会有什么不同?
#include <iostream>
using std::cout;
using std::endl;
using std::ostream;
class X {
public:
X(float f_x = 0, float f_y = 0):x(f_x), y(f_y) {}
~X() {}
X(const X& obj):x(obj.x), y(obj.y) {}
friend ostream& operator << (ostream &os, X &obj);
private:
float x;
float y;
};
ostream& operator << (ostream &os, X &obj)
{ os << "x = " << obj.x << " y = " << obj.y; return os;}
class T {
public:
T(X &obj) : x(obj) { /* x = obj */ }
~T() { }
friend ostream& operator << (ostream &os, T &obj);
private:
X x;
};
ostream& operator << (ostream &os, T &obj)
{ os << obj.x; return os; }
int main()
{
X temp_x(4.6f, 6.5f);
T t(temp_x);
cout << t << endl;
}
你已经说过了。如果不使用初始化列表,则首先调用默认构造函数,然后调用赋值操作符。
在你的例子中,这是相对良性的(我认为编译器甚至可以优化这一点)。但在其他情况下,根本不可能避免初始化列表。想象一下,如果X
没有公共赋值操作符
如果使用赋值,则:x
将首先被默认构造&
然后分配obj
。
如果使用成员初始化列表,则:x
将用obj
来构造和初始化。
成本为Construction only
T(X &obj) : x(obj) {}
将从obj复制构造x,而
T(X &obj){ x = obj; }
将构造一个默认的x,然后用obj中的值替换它。
如果你打算构造一个成员对象,你应该在初始化列表中做。