PHP的静态变量介绍

来源:互联网 发布:用jsp简单游戏编程 编辑:程序博客网 时间:2024/05/16 08:17

静态变量只存在于函数作用域内,也就是说,静态变量只存活在栈中。一般的函数内变量在函数结束后会释放,比如局部变量,但是静态变量却不会。就是说,下次再调用这个函数的时候,该变量的值会保留下来。

只要在变量前加上关键字static,该变量就成为静态变量了。

<?phpfunction test(){static $nm = 1;$nm = $nm * 2;print $nm."<br />";}    // 第一次执行,$nm = 2test();    // 第一次执行,$nm = 4test();    // 第一次执行,$nm = 8test();?>

程序运行结果:
 2   4   8 

函数test()执行后,变量$nm的值都保存了下来了。

在class中经常使用到静态属性,比如静态成员、静态方法。

Program List:类的静态成员

静态变量$nm属于类nowamagic,而不属于类的某个实例。这个变量对所有实例都有效。

::是作用域限定操作符,这里用的是self作用域,而不是$this作用域,$this作用域只表示类的当前实例,self::表示的是类本身。

<?phpclass nowamagic {public static $nm = 1;function nmMethod() {self::$nm += 2;echo self::$nm . '<br />';}}$nmInstance1 = new nowamagic();$nmInstance1 -> nmMethod();$nmInstance2 = new nowamagic();$nmInstance2 -> nmMethod();?> 

程序运行结果:

3  5 

Program List:静态属性

<?phpclass NowaMagic{    public static $nm = 'www.nowamagic.net';    public function nmMethod() {        return self::$nm;    }}class Article extends NowaMagic{    public function articleMethod() {        return parent::$nm;    }}// 通过作用于限定操作符访问静态变量print NowaMagic::$nm . "<br />";// 调用类的方法$nowamagic = new NowaMagic();print $nowamagic->nmMethod() . "<br />";print Article::$nm . "<br />";$nmArticle = new Article();print $nmArticle->nmMethod() . "<br />";?>

程序运行结果:
 www.nowamagic.net  www.nowamagic.net   www.nowamagic.net   www.nowamagic.net 

Program List:简单的静态构造器

PHP没有静态构造器,你可能需要初始化静态类,有一个很简单的方法,在类定义后面直接调用类的Demonstration()方法。

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

程序运行结果:
 This is the result of demonstration() 

0 0
原创粉丝点击