我想知道尽管赋值运算符没有重载,但是该代码如何专门运行第54行(line2 = line1)?
从输出看来,没有调用复制构造函数或普通构造函数,而且令人惊讶的是它得到了预期的输出199 199
#include <iostream>
using namespace std;
class Line
{
public:
int getLength();
Line( int len ); // simple constructor
Line( const Line &obj); // copy constructor
~Line(); // destructor
private:
int *ptr;
};
Line::Line(int len)
{
cout << "Normal constructor allocating ptr" << endl;
ptr = new int;
*ptr = len;
}
Line::Line(const Line &obj)
{
cout << "Copy constructor allocating ptr." << endl;
ptr = new int;
*ptr = *obj.ptr;
}
Line::~Line(void)
{
cout << "Freeing memory!" << endl;
delete ptr;
}
int Line::getLength()
{
return *ptr;
}
void display(Line obj)
{
cout << "Length of line : " << obj.getLength() <<endl;
}
// Main function for the program
int main()
{
Line line1(199);
Line line2(1);
line2 = line1; // How this is executed ??!
cout << line1.getLength() << " " << line2.getLength() << endl ;
/*display(line1);
display(line2);*/
cin.get();
return 0;
}
最佳答案
您所拥有的是未定义的行为。您分配了line2 = line1
,但没有用户定义的赋值运算符,因此您使用了编译器提供的默认值。默认值只是复制所有字段,在您的情况下,其中包括int*
。这将为您提供相同int*
的两个副本,泄漏line2
先前指向的值,并最终使delete
最初指向的那个line1
翻倍。同一指针的第二个delete
(在line1
的末尾main()
超出范围时发生)会调用未定义的行为。
如果您有一个释放资源的析构函数,则可能还需要一个赋值运算符。参见三法则:http://en.wikipedia.org/wiki/Rule_of_three_%28C%2B%2B_programming%29
但是最好的解决方案是停止使用原始指针。使用智能指针,首先不会发生此问题,您可以省略析构函数。
关于c++ - 此代码如何在不重载赋值运算符的情况下运行,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28036460/