ArrayAccess
我对在 PHP中实现的实现有一些疑问。
这是示例代码:
class obj implements arrayaccess {
private $container = array();
public function __construct() {
$this->container = array(
"one" => 1,
"two" => 2,
"three" => 3,
);
}
public function offsetSet($offset, $value) {
if (is_null($offset)) {
$this->container[] = $value;
} else {
$this->container[$offset] = $value;
}
}
public function offsetExists($offset) {
return isset($this->container[$offset]);
}
public function offsetUnset($offset) {
unset($this->container[$offset]);
}
public function offsetGet($offset) {
return isset($this->container[$offset]) ? $this->container[$offset] : null;
}
}
问题:
- 我不是在问为什么我们必须实现
ArrayAccess
,因为我假设它是 PHP 引擎识别并自动调用实现的继承函数的特殊接口? - 为什么我们要公开实现的功能?因为我假设它们是自动调用的特殊函数。它们不应该是私有的,因为在调用时说
$obj["two"]
函数不是从外部调用的。 __constructor
在函数中分配填充数组是否有特殊原因?这是我知道的构造函数,但在这种情况下它有什么样的帮助。ArrayAccess
和有什么区别ArrayObject
?我在想我通过继承实现的类ArrayAccess
不支持迭代?- 我们如何在不实现的情况下实现对象索引
ArrayAccess
?
谢谢...