目录this及返回自身对象的引用c++如何返回对象返回栈对象返回堆对象指针this及返回自身对象的引用 this:调用成员函数的时候,编译器负责把对象地址传(&myTime)
this:调用成员函数的时候,编译器负责把对象地址传(&myTime)递给成员函数中隐藏的this形参。
在系统角度来看,任何对类成员的直接访问都是被this隐式调用的。
class Time {
public:
int hour;
int minute;
public:
//把对象自己返回去了
Time& add_hour(int temp_hour);
Time& add_minute(int minute);
};
//实际工作中,this能省则省。
Time& Time::add_hour(int temphour) {
this->hour += temphour;//等价于 hour += temphour;
return *this;//把对象自己返回去了,固定写法。指向本对象的指针。*this表示对象本身。
}
Time& Time::add_minute(int minute) {
this->minute += minute;//区分成员变量和形参
return *this;
}
Time myTime;
myTime.add_hour(3);
myTime.add_hour(3).add_minute(10);//返回自己,可以连续调用。
返回对象,无非两种方式,返回栈对象和堆对象指针,栈对象指针不能返回,因为可能使用不该使用的内存,堆对象也不能直接返回,因为会产生内存泄漏。下面,我们分析两种返回方式的优缺点,及针对缺点的解决方案。
这里有个注意点,返回this指针指向的自身对象时,可以返回引用。
那有没有办法,把上面的缺点全克服了呢?有!
注意:返回栈对象时,虽然很多编译器做了编译优化,即使不写移动构造函数,也不会产生对象拷贝,但是,为了应对还没有编译优化的编译器,建议写好移动构造函数。
可以看下面代码。
#include <iOStream>
using namespace std;
class A{
public:
int i;
string* biGobj; //假设这是大对象
A(){
bigObj=new string("abc");
cout<<"A created."<<endl;
}
~A(){
if(bigObj!=nullptr){
delete bigObj;
bigObj=nullptr;
}
cout<<"A delete."<<endl;
}
A(const A &a):i(a.i),bigObj(new string(*(a.bigObj))){
cout<<"A copied."<<endl;
}
//建议在类里面写好移动构造函数,解决返回对象时对象拷贝带来的性能开销。
A(A&& a):i(a.i),bigObj(a.bigObj){
a.bigObj=nullptr;
cout<<"A moved."<<endl;
}
};
//如果没有编译器优化,如果没有移动构造函数,这种写法调用拷贝构造函数,产生对象复制
A Getainstance1(){
A a;
return a;
}
//这种写法运行没问题,但是要在函数调用之后手动释放对象,
//代码管理难度和内存泄漏风险提高。
A* GetAInstance2(){
A* a=new A;
return a;
}
//这种写法没问题
unique_ptr<A> GetAInstance3(){
unique_ptr<A> a(new A);
return a;
}
//这样返回会造成内存泄漏
A GetAInstance4(){
A* a=new A; //此处的a无法释放
return *a;
}
//这样返回会使用不该使用的内存,造成程序运行不稳定
A* GetAInstance5(){
A a;
return &a;
}
int main(int arGC, const char * argv[]) {
A a1=GetAInstance1();
cout<<"-----------------"<<endl;
A* a2=GetAInstance2();
delete a2;
cout<<"-----------------"<<endl;
unique_ptr<A> a3=GetAInstance3();
cout<<"Main Over"<<endl;
return 0;
}
以上为个人经验,希望能给大家一个参考,也希望大家多多支持编程网。
--结束END--
本文标题: C++类this及返回自身对象的引用方式
本文链接: https://lsjlt.com/news/170874.html(转载时请注明来源链接)
有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341
2024-03-01
2024-03-01
2024-02-29
2024-02-29
2024-02-29
2024-02-29
2024-02-29
2024-02-29
2024-02-29
2024-02-29
回答
回答
回答
回答
回答
回答
回答
回答
回答
回答
0