Por que excluir é necessário na definição do operador de atribuição de cópia?
Eu sou iniciante em C ++. E eu estou fazendo os exercícios em C ++ Primer (5ª Edição). Encontrei uma referência ao Exercício 13.8 do Github (Aqui), mostrado abaixo.
#include <string>
#include <iostream>
using std::cout;
using std::endl;
class HasPtr {
public:
HasPtr(const std::string &s = std::string()) : ps(new std::string(s)), i(0) { }
HasPtr(const HasPtr &hp) : ps(new std::string(*hp.ps)), i(hp.i) { }
HasPtr& operator=(const HasPtr &hp) {
std::string *new_ps = new std::string(*hp.ps);
delete ps; // I don't know why it is needed here?
// But when I delete this line, it also works.
ps = new_ps;
i = hp.i;
return *this;
}
void print() {
cout << *(this->ps) << endl;
cout << this->i << endl;
}
private:
std::string *ps;
int i;
};
int main() {
HasPtr hp1("hello"), hp2("world");
hp1.print();
hp1 = hp2;
cout << "After the assignment:" << endl;
hp1.print();
}
O que me deixa confusa é aHasPtr& operator=(const HasPtr &hp)
função. Não sei porquedelete ps;
é necessário aqui. Eu pensei que era um erro, mas funcionou quando compilei o código. No entanto, também funciona quando eu excluo a linha dedelete ps;
. Então, eu não sei sedelete ps;
é necessário e qual é a vantagem se for reservado.