下面經過幾個例子來總結靜態成員變量和靜態成員函數的使用規則。ios
1、經過類名調用靜態成員函數和非靜態成員函數函數
1 //例子一:經過類名調用靜態成員函數和非靜態成員函數 2 class Point{ 3 public: 4 void init() 5 {} 6 7 static void output() 8 {} 9 }; 10 11 void main() 12 { 13 Point::init(); 14 Point::output(); 15 }
編譯出錯:錯誤 1 error C2352: 「Point::init」: 非靜態成員函數的非法調用this
結論一:不能經過類名來調用類的非靜態成員函數spa
2、經過類的對象調用靜態成員函數和非靜態成員函數.net
1 //例子二:經過類的對象調用靜態成員函數和非靜態成員函數 2 class Point{ 3 public: 4 void init() 5 { 6 } 7 8 static void output() 9 {} 10 }; 11 12 void main() 13 { 14 Point pt; 15 pt.init(); 16 pt.output(); 17 }
編譯經過。指針
結論二:類的對象可使用靜態成員函數和非靜態成員函數。對象
3、在類的靜態成員函數中使用類的非靜態成員blog
1 //例子三:在類的靜態成員函數中使用類的非靜態成員 2 #include <iostream> 3 using namespace std; 4 5 class Point{ 6 public: 7 void init() 8 { 9 } 10 static void output() 11 { 12 cout << "m_x=" << m_x << endl; 13 } 14 private: 15 int m_x; 16 }; 17 void main() 18 { 19 Point pt; 20 pt.output(); 21 }
編譯出錯:IntelliSense: 非靜態成員引用必須與特定對象相對內存
由於靜態成員函數屬於整個類,在類實例化對象以前就已經分配空間了,而類的非靜態成員必須在類實例化對象後纔有內存空間,因此這個調用就會出錯,就比如沒有聲明一個變量卻提早使用它同樣。get
結論三:靜態成員函數中不能引用非靜態成員。
4、在類的非靜態成員函數中使用類的靜態成員
1 //例子四:在類的非靜態成員函數中使用類的靜態成員 2 #include <iostream> 3 using namespace std; 4 5 class Point{ 6 public: 7 void init() 8 { 9 output(); 10 } 11 static void output() 12 { 13 } 14 private: 15 int m_x; 16 }; 17 void main() 18 { 19 Point pt; 20 pt.init(); 21 }
編譯經過。
結論四:類的非靜態成員能夠調用靜態成員函數,但反之不能。
5、使用類的靜態成員變量
1 //例子五:使用類的靜態成員變量 2 #include <iostream> 3 using namespace std; 4 5 class Point{ 6 public: 7 Point() 8 { 9 m_nPointCount++; 10 } 11 ~Point() 12 { 13 m_nPointCount++; 14 } 15 static void output() 16 { 17 cout << "m_nPointCount=" << m_nPointCount << endl; 18 } 19 private: 20 static int m_nPointCount; 21 }; 22 23 void main() 24 { 25 Point pt; 26 pt.output(); 27 }
連接出錯:error LNK2001: 沒法解析的外部符號 "private: static int Point::m_nPointCount" (?m_nPointCount@Point@@0HA)
這是由於類的成員變量在使用前必須先初始化。
改爲以下代碼便可:
1 #include <iostream> 2 using namespace std; 3 4 class Point{ 5 public: 6 Point() 7 { 8 m_nPointCount++; 9 } 10 ~Point() 11 { 12 m_nPointCount++; 13 } 14 static void output() 15 { 16 cout << "m_nPointCount=" << m_nPointCount << endl; 17 } 18 private: 19 static int m_nPointCount; 20 }; 21 22 //類外初始化靜態成員變量時,不用帶static關鍵字 23 int Point::m_nPointCount = 0; 24 void main() 25 { 26 Point pt; 27 pt.output(); 28 }
運行結果:
結論五:類的靜態成員變量必須先初始化再使用。