在析構函數中調用file_put_contents()
時,會導致文件寫入SERVER_ROOT
...(Yikes!)變通辦法?在析構函數中創建/寫入PHP文件
tldr:
我想緩存陣列,可能包含序列化類的實例。我現在認爲,我會寫一個類,它使用unserialize()/file_get_contents()
和serialize()/file_put_contents()
來實現緩存,然後將其功能隱藏在更通用的緩存類中。 (我不知道如果我的客戶端的主機將有共享內存或梨等)
<?php
class CacheFile {
private $filename;
private $data;
private $dirty = false;
function __construct($filename) {
$this->filename = $filename;
$this->load();
}
function __destruct() {
// Calling file_put_contents within a destructor causes files to be written in SERVER_ROOT...
$this->flush();
}
private function load() {
if(!file_exists($this->filename)) {
$this->data = array();
}
else {
$this->data = unserialize(file_get_contents($this->filename));
// todo
}
$this->dirty = false;
}
private function persist() {
file_put_contents($this->filename, serialize($this->data));
$this->dirty = false;
}
public function get($key) {
if(array_key_exists($key, $this->data)) {
return $this->data[$key];
}
else {
return false;
}
}
public function set($key, $value) {
if(!array_key_exists($key, $this->data)) {
$dirty = true;
}
else if($this->data[$key] !== $value) {
$dirty = true;
}
if($dirty) {
$this->dirty = true;
$this->data[$key] = $value;
}
}
public function flush() {
if($this->dirty) {
$this->persist();
}
}
}
$cache = new CacheFile("cache");
var_dump($cache->get("item"));
$cache->set("item", 42);
//$cache->flush();
var_dump($cache->get("item"));
?>
看到析構函數調用flush()
?我真的不想擁有public flush()
函數,因爲它是特定於實現的。
不是您的問題的答案,但爲什麼SERVER_ROOT可由Web服務器用戶寫入? –
'$ this-> filename'是什麼? – hakre
我更改了OP中的代碼以顯示問題的實際操作...... $ this-> filename是「cache」 –