我正在尝试演示悬空指针的概念,并在其上编写程序。
假设如果您将指针作为类变量并且您没有编写自己的复制构造函数,那么它可能会导致悬空指针的概念。
隐式复制构造函数对元素进行成员明智的复制(浅复制)。因此,如果一个对象超出范围,则会导致悬空指针问题。
那么我为演示悬空指针而编写的这个程序是否正确?当我在 ideone.com 上编译它时,它给出了运行时错误。
#include"iostream"
using namespace std;
#include<string.h>
class cString
{
int mlen;char* mbuff; //**pointer** is a member of class
public:
cString(char *buff) //copy buff in mbuff
{
mlen=strlen(buff);
mbuff=new char[mlen+1];
strcpy(mbuff,buff);
}
void display() //display mbuff
{
cout<<mbuff;
}
~cString()
{
cout<<"Destructor invoked";
delete[] mbuff; //free memory pointed by mbuff
}
};
int main()
{
cString s1("Hey");
{
cString s2(s1); //call default copy constructor(shallow copy)
s2.display();
} //destructor for object s2 is called here as s2 goes out of scope
s1.display(); //object s1.display() should be unable to display hey
return 0;
}