服务器之家:专注于服务器技术及软件下载分享
分类导航

PHP教程|ASP.NET教程|Java教程|ASP教程|编程技术|正则表达式|C/C++|IOS|C#|Swift|Android|VB|R语言|JavaScript|易语言|vb.net|

服务器之家 - 编程语言 - C/C++ - C++ 中this指针的用途详解

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

2022-01-17 15:16程序员小白!!! C/C++

这篇文章主要给大家介绍了关于C++ 中this指针的用途,文中通过示例代码介绍的非常详细,对大家学习或者使用C++具有一定的参考学习价值,需要的朋友们下面来一起学习学习吧

先说结论:

1.形参和变量同名时,可用this指针来区分

2.在类的非静态成员函数中返回本身,可用return *this

 

1.区分形参和变量同名时:

#include <iostream>
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++ 中this指针的用途详解

那怎么解决上述问题呢?如下图:

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

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

在第一个age前面加上this,什么意思呢看看官方解释:

this指针指向被调用的成员函数所属的对象!

大白话来讲就是谁调用这个类,this就指向谁,上述这个this指向的就是p1

当然这种错误的解决方法还有一种最简单的:在类中起属性名字的时候,尽量别和形参名取一样就好了

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

 

2.return *this返回函数本身

#include <iostream>
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++ 中this指针的用途详解

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

 

总结

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

原文链接:https://blog.csdn.net/qq_45829112/article/details/120480070

延伸 · 阅读

精彩推荐