3

我在哪里可以找到 ArrayObject 的完整源代码(在 PHP 中)?

我不明白为什么在向 ArrayObject 添加元素时可以使用“箭头”,例如:

$a = new ArrayObject();
$a['arr'] = 'array data';                             
$a->prop = 'prop data';  //here it is

可以看到$a->prop = 'prop data';是用的。

是否有任何神奇的方法或使用了什么,以及 PHP 如何知道这一点$a['prop']并且$a->prop意味着相同?(在这种情况下)

4

1 回答 1

2

是的,它很神奇,可以直接在 PHP 中完成。看看重载 http://www.php.net/manual/en/language.oop5.overloading.php

您可以在课堂上使用__get()and__set来执行此操作。要使对象表现得像数组,您必须实现http://www.php.net/manual/en/class.arrayaccess.php

这是我的示例代码:

<?php
class MyArrayObject implements Iterator, ArrayAccess, Countable
{
    /**  Location for overloaded data.  */
    private $_data = array();

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

    public function __get($name)
    {
        if (array_key_exists($name, $this->_data)) {
            return $this->_data[$name];
        }

        $trace = debug_backtrace();
        trigger_error(
            'Undefined property via __get(): ' . $name .
            ' in ' . $trace[0]['file'] .
            ' on line ' . $trace[0]['line'],
            E_USER_NOTICE);
        return null;
    }

    /**  As of PHP 5.1.0  */
    public function __isset($name)
    {
        return isset($this->_data[$name]);
    }

    /**  As of PHP 5.1.0  */
    public function __unset($name)
    {
        unset($this->_data[$name]);
    }

    public function offsetSet($offset, $value) {
        if (is_null($offset)) {
            $this->_data[] = $value;
        } else {
            $this->_data[$offset] = $value;
        }
    }

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

    public function offsetUnset($offset) {
        unset($this->_data[$offset]);
    }

    public function offsetGet($offset) {
        return isset($this->_data[$offset]) ? $this->_data[$offset] : null;
    }
    public function count(){
        return count($this->_data);
    }
    public function current(){
        return current($this->_data);
    }
    public function next(){
        return next($this->_data);
    }
    public function key(){
        return key($this->_data);
    }
    public function valid(){
        return key($this->_data) !== null;
    }
    public function rewind(){
        reset($this->_data);
    }
}

代替current($a),next($a)使用$a->current(),$a->next()

于 2012-02-07T22:31:18.630 回答