常函數:
- 成員函數后加const后我們稱這個函數為常函數;
- 常函數不可以修改成員屬性
- 成員屬性聲明時加關鍵字mutable后,在常函數中依然可以修改
常對象:
- 聲明對象前加const
- 常對象只能調用常函數
常函數:
#include<iostream> using namespace std; class Person { public: int age; mutable int tmp;//用mutable修飾的為特殊變量,可以在常量函數中修改 void showPerson() const{ //this指針的本質是指針常量,指針的指向是不可以修改的 this = NULL; //即Person* const this; //在函數后面加了const之后,變成const Person* const this //此時,既不可以修改指向,也不可以修改值 this->age = 100; this->tmp = 200; } }; int main() { Person p; p.showPerson(); system("pause"); return 0; }
說明:紅色標注的是編譯報錯的,紫色標注的是可以成功編譯的。
常對象:
#include<iostream> using namespace std; class Person { public: int age; mutable int tmp;//用mutable修飾的為特殊變量,可以在常量函數中修改 void showPerson() const{ cout << "這是常函數" << endl; } }; void test() { const Person p;//在對象前加const,變為常對象 //常對象不能調用普通成員變量 p.age = 10; //特殊變量,在常對象下也可以修改 p.tmp = 20; //常對象只能調用常函數 p.showPerson(); } int main() { test(); system("pause"); return 0; }
說明:紅色標注的是編譯報錯的,紫色標注的是可以成功編譯的。
