我创建了一个存储配置值的类。
我的Config类的代码:
class Config
{
protected static $params = array();
protected static $instance;
private function __construct(array $params=NULL){
if(!empty($params)){
self::$params = $params;
}
}
public static function init(array $params=NULL){
if(!isset(self::$instance))
self::$instance = new Config($params);
}
public static function getInstance(){
return self::$instance;
}
public static function initialized(){
return isset(self::$instance);
}
public static function get($name)
{
$ref = &self::$params;
$keys = explode('.', $name);
foreach ($keys as $idx => $key):
if (!is_array($ref) || !array_key_exists($key, $ref))
return NULL;
$ref = &$ref[$key];
endforeach;
return $ref;
}
public function delete($name){
$ref = &self::$params;
$keys = explode('.', $name);
foreach ($keys as $idx => $key):
if (!is_array($ref) || !array_key_exists($key, $ref))
return NULL;
$ref = &$ref[$key];
endforeach;
unset($ref);
}
public function set($name, $value) {
$ref = &self::$params;
$keys = explode('.', $name);
foreach ($keys as $idx => $key) {
if (!is_array($ref)) {
return false;
throw new Exception('key "'.implode('.', array_slice($keys, 0, $idx)).'" is not an array but '.gettype($ref));
}
if (!array_key_exists($key, $ref)) {
$ref[$key] = array();
}
$ref = &$ref[$key];
}
$ref = $value;
return true;
}
public function getAll(){
return self::$params;
}
public function clear(){
self::$params = array();
}
}
配置方法使用点格式:
Config::set("test.item","testdrive"); //store in class, array["test"]["item"]="testdrive"
但是,我试图创建一个删除值的方法,例如:
Config::delete("test.item");
在get和set方法中,我使用引用变量来查找正确的项目,但我不知道如何删除引用的变量。如果我使用unset($ref)
,则Config::$params
不受影响。
答案 0 :(得分:0)
当您执行$ref = &$ref[$key];
时,$ref
将保留$ref[$key]
的值(而非参考),因此最好将unset()
优先于$ref[$key]
1}}将取消其引用,如下所示:
public function delete($name){
$ref = &self::$params;
$keys = explode('.', $name);
foreach ($keys as $idx => $key):
if (!is_array($ref) || !array_key_exists($key, $ref))
return NULL;
endforeach;
unset($ref[$key]);
}