赋值运算符重载-LintCode

时间:2021-03-18 01:35:39

实现赋值运算符重载函数,确保:

  1. 新的数据可准确地被复制
  2. 旧的数据可准确地删除/释放
  3. 可进行 A = B = C 赋值

说明:
本题只适用于C++,因为 Java 和 Python 没有对赋值运算符的重载机制。

样例:
如果进行 A = B 赋值,则 A 中的数据被删除,取而代之的是 B 中的数据。
如果进行 A = B = C 赋值,则 A 和 B 都复制了 C 中的数据。

挑战 :
充分考虑安全问题,并注意释放旧数据。

#ifndef C208_H
#define C208_H
#include<iostream>
using namespace std;
class Solution {
public:
char *m_pData;
Solution() {
this->m_pData = NULL;
}
Solution(char *pData) {
this->m_pData = pData;
}

// Implement an assignment operator
Solution operator=(const Solution &object) {
// write your code here
if (this != &object)
{
//delete[]m_pData;
if (object.m_pData != NULL)
{
m_pData = new char[strlen(object.m_pData) + 1];
strcpy(m_pData, object.m_pData);
}
}
return *this;
}
};
#endif