CPlusPlusThings/english/basic_content/this/README.md
2020-07-19 10:38:38 +08:00

90 lines
3.1 KiB
Markdown
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

# this指针那些事
## 关于作者
微信公众号:
![](../img/wechat.jpg)
## 1.this指针
相信在坐的很多人都在学Python对于Python来说有self类比到C++中就是this指针那么下面一起来深入分析this指针在类中的使用
首先来谈谈this指针的用处
1一个对象的this指针并不是对象本身的一部分不会影响sizeof(对象)的结果。
2this作用域是在类内部当在类的非静态成员函数中访问类的非静态成员的时候编译器会自动将对象本身的地址作为一个隐含参数传递给函数。也就是说即使你没有写上this指针编译器在编译的时候也是加上this的它作为非静态成员函数的隐含形参对各成员的访问均通过this进行。
其次this指针的使用
1在类的非静态成员函数中返回类对象本身的时候直接使用 return *this。
2当参数与成员变量名相同时如this->n = n 不能写成n = n)。
另外在网上大家会看到this会被编译器解析成`A *const ``A const * `,究竟是哪一个呢?下面通过断点调试分析:
现有如下例子:
```c++
#include<iostream>
#include<cstring>
using namespace std;
class Person{
public:
typedef enum {
BOY = 0,
GIRL
}SexType;
Person(char *n, int a,SexType s){
name=new char[strlen(n)+1];
strcpy(name,n);
age=a;
sex=s;
}
int get_age() const{
return this->age;
}
Person& add_age(int a){
age+=a;
return *this;
}
~Person(){
delete [] name;
}
private:
char * name;
int age;
SexType sex;
};
int main(){
Person p("zhangsan",20,Person::BOY);
cout<<p.get_age()<<endl;
cout<<p.add_age(10).get_age()<<endl;
return 0;
}
```
对于这个简单的程序相信大家没得问题吧就是定义了一个类然后初始化构造函数并获取这个人的年龄设置后再获取
为了验证this指针是哪一个现在在`add_age`处添加断点运行后如下
![thiscontrust](./img/thiscontrust.png)
![genthis](./img/genthis.png)
会发现编译器自动为我们加上`A* const`而不是`A const *this`
紧接着上述还有个常函数那么我们在对`get_age`添加断点如下
![constthis](./img/constthis.png)
会发现编译器把上述的this变为`const A* const`这个大家也能想到因为这个函数是const函数那么针对const函数它只能访问const变量与const函数不能修改其他变量的值所以需要一个this指向不能修改的变量那就是`const A*`,又由于本身this是`const`指针所以就为`const A* const`!
总结this在成员函数的开始执行前构造在成员的执行结束后清除上述的get_age函数会被解析成`get_age(const A * const this)`,`add_age`函数会被解析成`add_age(A* const this,int a)`。在C++中类和结构是只有一个区别的类的成员默认是private而结构是publicthis是类的指针如果换成结构那this就是结构的指针了