通常來說,如果PHP對象存在遞歸引用,就會出現內存洩漏。這個Bug在PHP裡已經存在很久很久了,先讓我們來重現這個Bug,示例代碼如下:
<?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程序設計有一定的參考價值。