this指針詳解

什麼是this

this是一個const指針,存的是當前對象的地址,指向當前對象,經過this指針能夠訪問類中的全部成員。c++

當前對象是指正在使用的對象,好比a.print()a就是當前對象。函數

關於thisthis

  1. 每一個對象都有this指針,經過this來訪問本身的地址。
  2. 每一個成員函數都有一個指針形參(構造函數沒有這個形參),名字固定,稱爲this指針,this是隱式的。
  3. 編譯器在編譯時會自動對成員函數進行處理,將對象地址做實參傳遞給成員函數的第一個形參this指針。
  4. this指針是編譯器本身處理的形參,不能在成員函數的形參中添加this指針的參數定義。
  5. this只能在成員函數中使用,全局函數,靜態函數不能使用this。由於靜態函數沒有固定對象。spa

    this的使用

#include <bits/stdc++.h>
using namespace std;
class A {
    private :
        int a;
    public :
        A(int x = 0) : a(x) {}
        void set(int x) {
            a = x;
        }
        void print() {printf("%d\n", a);} 
};

int main() {
    A a, b;
    int x;
    a.set(111);
    b.set(222);
    a.print();
    b.print();
    return 0;
}

輸出:指針

111
222code

能夠看出賦值的時候是分別給當前對象的成員賦的值。
就像上文中提到的3同樣,拿set()函數來講,其實編譯器在編譯的時候是這樣的對象

void set(A *this, int x) {
    this->a = x;
}

什麼時候調用

那何時要調用this指針呢?編譯器

1. 在類的非靜態成員函數中返回對象的自己時候,直接用return *thisit

2. 傳入函數的形參與成員變量名相同時編譯

例如

#include <bits/stdc++.h>
using namespace std;
class A {
    private :
        int x;
    public :
        A() {x = 0;}
        void set(int x) {
            x = x;
        }
        void print() {
            printf("%d\n", x);
        }
};

int main() {
    A a, b;
    int x;
    a.set(111);
    b.set(222);
    a.print();
    b.print();
    return 0;
}

輸出是

0
0

這時由於咱們的set()函數中,編譯器會認爲咱們把成員x的值賦給了參數x;
若是咱們改爲這樣,就沒有問題了

#include <bits/stdc++.h>
using namespace std;
class A {
    private :
        int x;
    public :
        A() {x = 0;}
        void set(int x) {
            this->x = x;
        }
        void print() {
            printf("%d\n", x);
        }
};

int main() {
    A a, b;
    int x;
    a.set(111);
    b.set(222);
    a.print();
    b.print();
    return 0;
}

這樣輸出的就是

111
222

並且這段代碼一目瞭然,左值是類成員x,右值是形參x。

相關文章
相關標籤/搜索