时间:2021-07-01 10:21:17 帮助过:20人阅读
<?php
class Foo {
  function __construct() {
    $this->bar = new Bar($this);
  }
}
class Bar {
  function __construct($foo) {
    $this->foo = $foo;
  }
}
for ($i = 0; $i < 100; $i++) {
  $obj = new Foo();
  unset($obj);
  echo memory_get_usage(), "/n";
}
?> 
运行以上代码,你会发现,内存使用量本应该不变才对,可实际上却是不断增加,unset没有完全生效。
现在的开发很多都是基于框架进行的,应用里存在复杂的对象关系,那么就很可能会遇到这样的问题,下面看看有什么权宜之计:
<?php
class Foo {
  function __construct() {
    $this->bar = new Bar($this);
  }
  function __destruct() {
    unset($this->bar);
  }
}
class Bar {
  function __construct($foo) {
    $this->foo = $foo;
  }
}
for ($i = 0; $i < 100; $i++) {
  $obj = new Foo();
  $obj->__destruct();
  unset($obj);
  echo memory_get_usage(), "/n";
}
?>
办法有些丑陋,不过总算是对付过去了。幸运的是这个Bug在PHP5.3的CVS代码中已经被修复了。
对此,在进行PHP程序设计时有必要加以注意!相信本文所述对大家的PHP程序设计有一定的参考价值。