C++中使用初始化列表比在构造函数中对成员变量赋值更高效

今天看到一个面试题,问:为山么在C++中使用初始化列表比在构造函数中对成员变量赋值更高效?

 

记得在看Scott Meyers的《Effective C++》中有讲到过这个问题,时间久了就想不起来的,真是悲剧,遂翻出来看看,Blog一下,以长记性。

 

考虑一个表示通讯录的类实体,可能会有如下的一个类:

class ABEntry { ABEntry(const std::string &name, const std::string & address); private: std::string theName; std::string theAddress; int numTimesConsulted; } ABEntry::ABEntry(const std::string &name, const std::string & address) { theName = name; theAddress = address; numTimesConsulted = 0; }

这能达到预期目的,但不是最佳选择。

C++规定对象成员变量的初始化发生在进入构造函数体之前。一个更好的写法是是用初始化列表:

 class ABEntry { ABEntry(const std::string &name, const std::string & address); private: std::string theName; std::string theAddress; int numTimesConsulted; } ABEntry::ABEntry(const std::string &name, const std::string & address):theName(name), theAddress(address), numTimesConsulted(0) { } 

这个写法效率更高,原因在于,前者通过赋值的方式初始化成员对象过程中产生了成员对象(theName,theAddress)的default构造函数的调用和拷贝构造函数的调用,因此default构造函数的工作都是浪费,后者就避免了这个问题,ABEntry的构造函数的各个实参都用作成员变量的copy构造函数的实参了,所以效率更高。

 

你可能感兴趣的:(C++,String,面试,Blog,Class,通讯)