您好,登錄后才能下訂單哦!
本篇文章給大家分享的是有關C++中this指針有什么作用,小編覺得挺實用的,因此分享給大家學習,希望大家閱讀完這篇文章后可以有所收獲,話不多說,跟著小編一起來看看吧。
01 C++ 程序到 C 程序的翻譯
要想理解 C++ 的 this 指針,我們先把下面的 C++ 代碼轉換成 C 的代碼
class Car {public: int m_price; // 成員變量 void SetPrice(int p) // 成員函數 { m_price = p; }};int main(){ Car car; car.SetPrice(20000); // 給car對象m_price成員變量賦值 return 0;}
C 語言是沒有類定義的class關鍵詞,但是有跟class類似的定義,那就是結構體struct。
m_price變量是Car類的成員變量,那么我們可以把Car類和成員變量翻譯成如下的 C 代碼:
// 結構體Carstruct Car{ // price變量是屬于Car結構體這個域里的變量 int price; };
SetPrice函數是Car類的成員函數,但是 C 程序里是沒有成員函數這種概念的,所以只能把成員函數翻譯成全局的函數:
// 參數1:結構體Car的指針// 參數2:要設置的價格變量void SetPrice(struct Car* this, int p){ this->price = p; // 將傳入的Car結構體的price變量賦值}
為什么要加個 this 的指針呢?我們繼續往下看。
在這里我們把上面main函數下面的 C++ 程序翻譯 C 程序是這樣的:
int main() { struct Car car; SetPrice( &car, 20000); return 0;}
所以最終把上述的 C++程序 轉換成C 程序的代碼如下:
struct Car{ int price; };void SetPrice(struct Car* this, int p){ this->price = p; }int main() { struct Car car; SetPrice( &car, 20000); // 給car結構體的price變量賦值 return 0;}
02 this指針的作用
其作用就是指向成員函數所作用的對象,
所以非靜態成員函數中可以直接使用 this 來代表指向該函數作用的對象的指針。
#include <iostream>class Car {public: int m_price; void PrintPrice() { std::cout << m_price << std::endl; } void SetPrice(int p) { this->m_price = p; // 等價于 m_price = p; this->PrintPrice();// 等價于 PrintPrice(); } Car GetCar() { return *this; // 返回該函數作用的對象 }};int main(void){ Car car1, car2; car1.SetPrice(20000); // GetCar()成員函數返回所作用的car1對象,所把返回的car1賦值給了car2 car2 = car1.GetCar(); car2.PrintPrice(); return 0;}
輸出結果:
2000020000
接下來我們下面的代碼,你覺得輸出結果是什么呢?會出錯嗎?
class A{ int i; public: void Hello() { cout << "hello" << endl; }};int main(){ A * p = NULL; p->Hello(); //結果會怎樣?}
答案是正常輸出hello,你可能會好奇明明 p 指針是空的,不應該是會程序奔潰嗎?別著急,我們先把上面的代碼轉換C程序,就能理解為什么能正常運行了。
void Hello() { cout << "hello" << endl; } # 成員函數相當于如下形式:void Hello(A * this ) { cout << "hello" << endl; }p->Hello(); # 執行Hello()形式相當于:Hello(p);
所以,實際上每個成員函數的第一個參數默認都有個指向對象的 this 指針,上述情況下如果該指向的對象是空,相當于成員函數的第一個參數是NULL,那么只要成員函數沒有使用到成員變量,也是可以正常執行。
下面這份代碼執行時,就會奔潰了,因為this指針是空的,使用了 空的指針指向了成員變量i,程序就會奔潰。
class A{ int i;public: void Hello() { cout << i << "hello" << endl; } // ->> void Hello(A * this ) { cout << this->i << "hello" << endl; }};int main(){ A * p = NULL; p->Hello(); // ->> Hello(p); }
03 this指針和靜態成員函數
靜態成員函數是不能使用 this 指針,因為靜態成員函數相當于是共享的變量,不屬于某個對象的變量。
以上就是C++中this指針有什么作用,小編相信有部分知識點可能是我們日常工作會見到或用到的。希望你能通過這篇文章學到更多知識。更多詳情敬請關注億速云行業資訊頻道。
免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。