php5析构函数用法示例

发布时间:2020-05-07编辑:脚本学堂
本文介绍了php析构函数的用法,有关php析构函数的例子,有需要的朋友参考下。

php中的构造函数析构函数

它们的功能和使用方式已经和普通的函数方式有所不同。
每当实例化一个类对象时,都会自动调用这个与类同名的函数,使对象具有与生俱来的一些特征。

在php5中,则使用__construct()来命名构造函数,而不再是与类同名,这样做的好处是可以使构造函数独立于类名,当类名改变时,不需要在相应的去修改构造函数的名称。
与构造函数相反,在php5中,可以定义一个名为__destruct()的函数,称之为php5析构函数,php将在对象在内存中被销毁前调用析构函数,使对象在彻底消失之前完成一些工作。
对象在销毁一般可以通过赋值为null实现。

例子,php析构函数用法。
 

复制代码 代码示例:
<?php
/* 
 * to change the template for this generated file go to 
 * window - preferences - phpeclipse - php - code templates 
 */ 
 class student{ 
  //属性 
  private $no; 
  private $name; 
  private $gender; 
  private $age; 
   
  private static $count=0; 
  function __construct($pname) 
  { 
   $this->name = $pname; 
   self::$count++; 
  } 
   
  function __destruct() 
  { 
   self::$count--; 
  } 
   
  static function get_count() 
  { 
   return self::$count; 
  } 
 } 
  
 $s1=new student("tom"); 
 print(student::get_count()); 
  
 $s2=new student("jerry"); 
 print(student::get_count()); 
  
 $s1=null; 
 print(student::get_count()); 
  
 $s2=null; 
 print(student::get_count()); 
?>

以上实例展示了php5析构函数的用法。