PHP的靜態變數介紹

lankecms發表於2014-08-27

靜態變數只存在於函式作用域內,也就是說,靜態變數只存活在棧中。一般的函式內變數在函式結束後會釋放,比如區域性變數,但是靜態變數卻不會。就是說,下次再呼叫這個函式的時候,該變數的值會保留下來。

只要在變數前加上關鍵字static,該變數就成為靜態變數了。

01 <?php
02     function test()
03     {
04         static $nm = 1;
05         $nm $nm * 2;
06         print $nm."<br />";
07     }
08      
09     // 第一次執行,$nm = 2
10     test();
11     // 第一次執行,$nm = 4
12     test();
13     // 第一次執行,$nm = 8
14     test();
15 ?>

程式執行結果:

1 2
2 4
3 8

函式test()執行後,變數$nm的值都儲存了下來了。

在class中經常使用到靜態屬性,比如靜態成員、靜態方法。

Program List:類的靜態成員

靜態變數$nm屬於類nowamagic,而不屬於類的某個例項。這個變數對所有例項都有效。

::是作用域限定操作符,這裡用的是self作用域,而不是$this作用域,$this作用域只表示類的當前例項,self::表示的是類本身。

01 <?php
02     class nowamagic
03     {
04         public static $nm = 1;
05          
06         function nmMethod()
07         {
08             self::$nm += 2;
09             echo self::$nm '<br />';
10         }
11     }
12      
13     $nmInstance1 new nowamagic();
14     $nmInstance1 -> nmMethod();
15      
16     $nmInstance2 new nowamagic();
17     $nmInstance2 -> nmMethod();
18 ?>

程式執行結果:

1 3
2 5

Program List:靜態屬性

01 <?php
02     class NowaMagic
03     {
04         public static $nm 'www.nowamagic.net';
05  
06         public function nmMethod()
07         {
08             return self::$nm;
09         }
10     }
11      
12     class Article extends NowaMagic
13     {
14         public function articleMethod()
15         {
16             return parent::$nm;
17         }
18     }
19      
20     // 通過作用於限定操作符訪問靜態變數
21     print NowaMagic::$nm "<br />";
22      
23     // 呼叫類的方法
24     $nowamagic new NowaMagic();
25     print $nowamagic->nmMethod() . "<br />";
26      
27     print Article::$nm "<br />";
28      
29     $nmArticle new Article();
30     print $nmArticle->nmMethod() . "<br />";
31 ?>

程式執行結果:

1 www.nowamagic.net
2 www.nowamagic.net
3 www.nowamagic.net
4 www.nowamagic.net

Program List:簡單的靜態構造器

PHP沒有靜態構造器,你可能需要初始化靜態類,有一個很簡單的方法,在類定義後面直接呼叫類的Demonstration()方法。

01 <?php
02 function Demonstration()
03 {
04     return 'This is the result of demonstration()';
05 }
06  
07 class MyStaticClass
08 {
09     //public static $MyStaticVar = Demonstration(); //!!! FAILS: syntax error
10     public static $MyStaticVar = null;
11  
12     public static function MyStaticInit()
13     {
14         //this is the static constructor
15         //because in a function, everything is allowed, including initializing using other functions
16          
17         self::$MyStaticVar = Demonstration();
18     }
19 } MyStaticClass::MyStaticInit(); //Call the static constructor
20  
21 echo MyStaticClass::$MyStaticVar;
22 //This is the result of demonstration()
23 ?>

程式執行結果:

1 This is the result of demonstration()




相關文章