C4

一)构造函数
初始化阶段 + 赋值阶段
const数据成员,内嵌对象,基类都只有初始化语法的唯一选择。

某成员开始是基本数据类型,后来经过重构,变成了一个类对象,如果选择是的初始化语法,则不用修改构造函数处的代码。

二)裸指针的危害
开始有char* ptr = (char*)malloc(1024)下面列举内存泄漏和无效内存引用

1)ptr = (char*)malloc(2 * 1024);

2)char* ptr1 = ptr;
  free(ptr1);
  *ptr = 'A';

三)c++是一种基于值的语言,对待类和基本类型一样,基本类型是编译器维护的,类是程序员维护的

四)
拷贝构造,拷贝赋值,哪些地方会发生拷贝动作?
有些对象不能拷贝

  private: 
    noncopyable( const noncopyable& );
    noncopyable& operator=( const noncopyable& );

五)判断对象相等
if (this == &other) 判断两个指针的值,看看两个对象的地址是否一样
if (*this == other) 调用operator==

//引起无限递归
bool operator==(const Foo& other)
{
     if (*this == other) {
         return true;
     }

     return false;
}

六)std::string是否采用了copy-on-write技术?什么时候共享?什么时候复制一份?

std::string s1 = "abcdef";
std::string s2 = s1;

printf("s1.begin = %x, s1.begin = %x\n", s1.data(), s2.data());  

你可能感兴趣的:(C4)