要点:
构造函数内赋值和使用初始化列表区别在于
1).因为const成员只能被初始化,不能被赋值,所以必须利用构造函数初始化列表进行初始化 eg:
class Point { public: Point():_x(0),_y(0){}; Point( int x, int y ):_x(x),_y(y){} //Point(){ _x = 0; _y = 0;} 错误 //Point( int x, int y ){ _x = 0; _y = 0; } 错误 private: const int _x, _y; };
2).对于非内置数据类型来说,利用构造函数初始化列表进行初始化减少一次复制操作调用 eg:
class Point { const int _x, _y; string _name; };
以下构造函数 _name = name 这个表达式会调用string类的缺省构造函数一次,再调用Operator=函数进行赋值一次。所以需调用两次函数:一次构造,一次赋值
Point( int x, int y, string name ){ _x = 0; _y = 0; _name = name; }
下面的构造函数name会通过拷贝构造函数仅以一个函数调用的代码完成初始化
Point( int x, int y, string name ):_x(x),_y(y), _name(name){}
补充:
在这里成员变量的初始化顺序与构造函数的初始化列表中的顺序没有关系,也就是说,初始化列表不决定成员变量初始化顺序,而是有成员变量的顺序决定。
例如:
#include <iostream> #include <vector> #include <cstdlib> using namespace std; class Test { public: Test():a(0),b(c),c(2) { } void Print() { cout << a << "-------"<< b << "-------" << c << endl; } private: int a; int b; int c; }; int main() { Test *t = new Test(); t->Print(); system("pause"); return 0; }
打印结果:里面b先初始化 而c没有 所以b得到的值为随机数
而改成:
#include <iostream> #include <vector> #include <cstdlib> using namespace std; class Test { public: Test():a(0),b(c),c(2) { } void Print() { cout << a << "-------"<< b << "-------" << c << endl; } private: int a; int c; int b; }; int main() { Test *t = new Test(); t->Print(); system("pause"); return 0; }
打印结果:此时c先于b初始化