为什么在Friend函数中调用析构函数
Why is destructor called in Friend function
为什么在这个 Friend 函数中调用析构函数 show() C++?
另外,字符指针应该如何初始化,它被设置为0 ...
完整的主要代码在这里 https://justpaste.it/5x7fy
#include<iostream>
using namespace std;
#include<string.h>
class String
{
public:
char *p;
int len;
String()
{
cout << "empty constructor" << endl;
len=0;
p=0;
}
// constructor
String(const char *s) {
len=strlen(s);
p=new char[len+1];
strcpy(p,s);
}
friend String operator+(const String&s, const String&t);
friend int operator<=(const String&s, const String&t);
friend void show(const String s);
~String() {delete p;}
};
void show(const String s)
{
cout<<s.p<<endl;
}
编辑,阅读复制构造函数并添加一个:
// copy constructor
String(const String &s)
{
len=s.len;
p=new char[len+1]; // s.p;//
strcpy(p,s.p);
}
friend函数参数之前是传值,变量离开了show函数作用域,所以调用了析构函数,现在是传引用。
friend void show(const String & s);
...
void show(String & s)
{
cout<<s.p<<endl;
}
编辑更新了空构造函数中字符指针的初始化。
String() {
p = new char[1]{'[=13=]'};
len = 1;
};
[最新来源]:https://www.mediafire.com/file/31gb64j7h77x5bn/class38working.cc/file
调用析构函数是因为s
是按值传递的。也就是说,当您调用 show(something)
时,某些内容会被复制到 s
中,然后在 show
执行结束时销毁。
您的朋友函数 show 每个值都采用 String 参数,这意味着无论传递给函数的参数是什么,都会创建一个本地副本并在函数内部使用。当然,这个本地副本会在 show() 函数结束时再次被销毁。
如果您通过引用传递字符串 (const string**&** s),您将不会获得额外的临时副本,也不会对其进行任何破坏。
为什么在这个 Friend 函数中调用析构函数 show() C++? 另外,字符指针应该如何初始化,它被设置为0 ... 完整的主要代码在这里 https://justpaste.it/5x7fy
#include<iostream>
using namespace std;
#include<string.h>
class String
{
public:
char *p;
int len;
String()
{
cout << "empty constructor" << endl;
len=0;
p=0;
}
// constructor
String(const char *s) {
len=strlen(s);
p=new char[len+1];
strcpy(p,s);
}
friend String operator+(const String&s, const String&t);
friend int operator<=(const String&s, const String&t);
friend void show(const String s);
~String() {delete p;}
};
void show(const String s)
{
cout<<s.p<<endl;
}
编辑,阅读复制构造函数并添加一个:
// copy constructor
String(const String &s)
{
len=s.len;
p=new char[len+1]; // s.p;//
strcpy(p,s.p);
}
friend函数参数之前是传值,变量离开了show函数作用域,所以调用了析构函数,现在是传引用。
friend void show(const String & s);
...
void show(String & s)
{
cout<<s.p<<endl;
}
编辑更新了空构造函数中字符指针的初始化。
String() {
p = new char[1]{'[=13=]'};
len = 1;
};
[最新来源]:https://www.mediafire.com/file/31gb64j7h77x5bn/class38working.cc/file
调用析构函数是因为s
是按值传递的。也就是说,当您调用 show(something)
时,某些内容会被复制到 s
中,然后在 show
执行结束时销毁。
您的朋友函数 show 每个值都采用 String 参数,这意味着无论传递给函数的参数是什么,都会创建一个本地副本并在函数内部使用。当然,这个本地副本会在 show() 函数结束时再次被销毁。
如果您通过引用传递字符串 (const string**&** s),您将不会获得额外的临时副本,也不会对其进行任何破坏。