使用ArrayObject存储数组

时间:2012-05-22 13:50:53

标签: php arrays arrayobject

我正在尝试使用扩展ArrayObject的自定义类来存储数组并操作该数组。

class MyArrayObject extends ArrayObject {
    protected $data = array();

    public function offsetGet($name) {
        return $this->data[$name];
    }

    public function offsetSet($name, $value) {
        $this->data[$name] = $value;
    }

    public function offsetExists($name) {
        return isset($this->data[$name]);
    }

    public function offsetUnset($name) {
        unset($this->data[$name]);
    }
}

问题是如果我这样做:

$foo = new MyArrayObject();
$foo['blah'] = array('name' => 'bob');
$foo['blah']['name'] = 'fred';
echo $foo['blah']['name'];

输出是bob而不是fred。有没有办法在不改变上面的4行的情况下让它工作?

1 个答案:

答案 0 :(得分:3)

这是ArrayAccess的一种已知行为(“PHP注意:间接修改MyArrayObject的重载元素没有效果”......)。

http://php.net/manual/en/class.arrayaccess.php

在MyArrayObject中实现:

public function offsetSet($offset, $data) {
    if (is_array($data)) $data = new self($data);
    if ($offset === null) {
        $this->data[] = $data;
    } else {
        $this->data[$offset] = $data;
    }
}