C++|C++ 中this指针的用途详解

目录

  • 1.区分形参和变量同名时:
  • 2.return *this返回函数本身
  • 总结
先说结论: 1.形参和变量同名时,可用this指针来区分
2.在类的非静态成员函数中返回本身,可用return *this

1.区分形参和变量同名时:
#include using namespace std; class Person{public: Person(int age) {age = age; } int age; }; void test01(){ Person p1(18); cout << "年龄为: " << p1.age << endl; }int main(){ test01(); system("pause"); return 0; }

上述代码运行结果多少呢? 答案是-858993460 当然这个答案毫无意义
为什么呢 将上述代码中的age选中 然后会有下面这种情况 相信大家知道什么意思 就是编译器不会像人脑一样将左边的age看成类的属性age,所以就导致编译器认为上述3个age是一回事,所以再编译器中相当于Person类的属性age没有赋值,所以进行输出的时候就会用0xCCCCCCCC来进行填充,就有了输出是-858993460的答案
C++|C++ 中this指针的用途详解
文章图片

那怎么解决上述问题呢?如下图:
C++|C++ 中this指针的用途详解
文章图片

C++|C++ 中this指针的用途详解
文章图片

在第一个age前面加上this,什么意思呢看看官方解释:
this指针指向被调用的成员函数所属的对象!
大白话来讲就是谁调用这个类,this就指向谁,上述这个this指向的就是p1
当然这种错误的解决方法还有一种最简单的:在类中起属性名字的时候,尽量别和形参名取一样就好了
C++|C++ 中this指针的用途详解
文章图片

【C++|C++ 中this指针的用途详解】
2.return *this返回函数本身
#include using namespace std; class Person{public: Person(int age) {m_age = age; } Person& PersonAddAge(Person &p) {this->m_age += p.m_age; return *this; } int m_age; }; void test02(){ Person p1(18); Person p2(18); p1.PersonAddAge(p2).PersonAddAge(p2).PersonAddAge(p2); cout << p1.m_age << endl; }int main(){ test02(); system("pause"); return 0; }

下面的块代码中:这块代码中有两个点
1.返回值类型使用了Person的引用
2.return *this
Person& PersonAddAge(Person &p){ this->m_age += p.m_age; return *this; }

A1:为什么要使用Person&的返回值
C++|C++ 中this指针的用途详解
文章图片

return *this就是返回函数本身,但是得注意返回值类型,记得做引用传递!!!

总结 本篇文章就到这里了,希望能够给你带来帮助,也希望您能够多多关注脚本之家的更多内容!

    推荐阅读