我一直在寻找一种方法来实现ArrayObject Class来存储应用程序配置,我在php手册中找到了这个实现(其中一条评论)
<?php
use \ArrayObject;
/**
* Singleton With Configuration Info
*/
class Config extends ArrayObject
{
/**
*
* Overwrites the ArrayObject Constructor for
* Iteration throught the "Array". When the item
* is an array, it creates another static() instead of an array
*/
public function __construct(Array $array)
{
$this->setFlags(ArrayObject::ARRAY_AS_PROPS);
foreach($array as $key => $value)
{
if(is_array($value))
{
$value = new static($value);
}
$this->offsetSet($key, $value);
}
}
public function __get($key)
{
return $this->offsetGet($key);
}
public function __set($key, $value)
{
$this->offsetSet($key, $value);
}
/**
* Returns Array when printed (like "echo array();")
* Instead of an Error
*/
public function __ToString()
{
return 'Array';
}
}
用法:
$config = new Config\Config($settings);
$config->uri = 'localhost'; // works
$config->url->uri = 'localhost'; // doesn't work
print_r($config);
我尝试在这个类中添加__get和__set,它适用于一个简单的数组但是当涉及到多维数组时......事情就不同了。我收到一条错误消息,指出索引未定义。 有人可以帮助我,但我尝试了我所知道的很多关于它的东西,我没有找到解决方案。
我已经解决了这门课的问题。稍后我会在这里发布一个完全有效的例子,也许有人需要它。感谢大家花时间阅读这个帖子
更新: 所以你觉得伙计们怎么样?我应该做些什么改进?
public function __construct(Array $properties)
{
$this->populateArray($properties);
}
private function populateArray(Array $array)
{
if(is_array($array))
{
foreach($array as $key => $value)
{
$this->createProperty($key, $value);
}
}
unset($this->properties);
}
private function createProperty($key, $value)
{
is_array($value) ?
$this->offsetSet($key, $this->createComplexProperty($value))
: $this->offsetSet($key, $value);
}
private function createComplexProperty(Array $array)
{
return new Config($array);
}
private function createPropertyIfNone($key)
{
if($this->offsetExists($key))
return;
$this->createProperty($name, array());
}
public function __get($key)
{
$this->createPropertyIfNone($key);
return $this->offsetGet($key);
}
public function __set($key, $value)
{
$this->createProperty($key, $value);
}
public function __ToString()
{
return (string) $value;
}
}
答案 0 :(得分:2)
如果你想假设一个不存在的键是一个数组,那么这应该可行。
public function __get($key)
{
if(!$this->offsetExists($key))
{
$this->offsetSet($key,new Array());
}
return &$this->offsetGet($key);
}
用法:
$config = new Config\Config($settings);
$config->url['uri'] = 'localhost';
print_r($config);
修改强>
不确定是否必须返回引用才能使其正常工作。
return &$this->offsetGet($key);
或者
return $this->offsetGet($key);