php静态变量实例教程介绍

发布时间:2020-02-14编辑:脚本学堂
本文介绍了php静态变量的几个例子,使用静态变量多是为了全局调用,因为静态变量在函数结束后不会释放,下次调用时该变量的值会保留下来,需要的朋友学习下吧。

php编程中,静态变量只存在于函数作用域内,静态变量只存活在栈中。

相对于一般的函数而言,其内变量在函数结束后会释放,比如局部变量,静态变量却不会。
下次再调用这个函数时,该变量的值会保留下来。

php中如何设置静态变量?方法很简单,只要在变量前加上关键字static,该变量就成为静态变量了。

来看一个php静态变量的简单例子。
代码:   
 

复制代码 代码示例:

<?php
function test()
{
static $nm = 1;
$nm = $nm * 2;
print $nm."<br />";
}

// 第一次执行,$nm = 2
test();
// 第二次执行,$nm = 4
test();
// 第三次执行,$nm = 8
test();
?>
 

程序运行结果:
2
4
8
函数test()执行后,变量$nm的值都保存了下来了。

在php面向对象编程中,在class中经常使用到静态属性,比如静态成员、静态方法。

2,Program List:类的静态成员
静态变量$nm属于类nowamagic,而不属于类的某个实例。这个变量对所有实例都有效。
::是作用域限定操作符,这里用的是self作用域,而不是$this作用域,$this作用域只表示类的当前实例,self::表示的是类本身。
例子:
 

复制代码 代码示例:

<?php
class 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

3,Program List:静态属性
 

复制代码 代码示例:

<?php
class NowaMagic
{
 public static $nm = 'www.yuju100.com';
 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.yuju100.com
www.yuju100.com
www.yuju100.com
www.yuju100.com

4,program list:简单的静态构造器
php没有静态构造器,可能需要初始化静态类.
方法:在类定义后面直接调用类的demonstration()方法。
 

复制代码 代码示例:

<?php
function Demonstration()
{
    return 'This is the result of demonstration()';
}

class MyStaticClass
{
    //public static $MyStaticVar = Demonstration(); //!!! FAILS: syntax error
    public static $MyStaticVar = null;

    public static function MyStaticInit()
    {
        //this is the static constructor
        //because in a function, everything is allowed, including initializing using other functions
       
        self::$MyStaticVar = Demonstration();
    }
} MyStaticClass::MyStaticInit(); //Call the static constructor

echo MyStaticClass::$MyStaticVar;
//This is the result of demonstration()
?>

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

以上详细介绍了php变量的用法,一些php变量定义与使用实例,希望对大家有所帮助。