2

我有一个类,它实际上对一个复杂的数组进行操作,以使操作更简单。原始数组的格式如下所示:

array(
    array(
        "name" =>"foo",
        "type" =>8,         //The array is NBT format and 8 stands for string
        "value" =>"somevalue"
    )
}

该类将上面的数组作为构造函数:

class NBT_traverser implements ArrayAccess {
    function __construct(&$array) {
       $this->array = $array;
    }
}

然后,这是访问成员的方式:

$parser = new NBT_traverser($somearray);   
echo $parser["foo"];  //"somevalue"   

当我print_R上课时,我得到了它的值列表和原始的复杂数组。像这样:

 object(NBT_traverser)#2 (1) { 
    ["nbt":"NBT_traverser":private]=> &array(1) {
 /*Tons of ugly array contents*/
 }

相反,我想得到这样的输出print_r

array(
    "foo" => "somevalue"
)

是否有可能欺骗print_r这样做?当前的行为使得使用类进行调试比没有它更难。
当然,我可以编写自己的方法来打印它,但我想让该类的用户使用更简单。相反,我想提供print_R一些东西,它将打印为数组。

4

2 回答 2

2

ArrayAccess如果您正在扩展只是编写一个方法来获取您的值,那么您应该没有问题

例子

$random = range("A", "F");
$array = array_combine($random, $random);

$parser = new NBT_traverser($array);
echo $parser->getPrint();

输出

Array
(
    [A] => A
    [B] => B
    [C] => C
    [D] => D
    [E] => E
    [F] => F
)

使用的类

class NBT_traverser implements ArrayAccess {
    private $used; // you don't want this
    protected $ugly = array(); // you don't want this
    public $error = 0202; // you don't want this
    private $array = array(); // you want this
    function __construct(&$array) {
        $this->array = $array;
    }

    function getPrint() {
        return print_r($this->array, true);
    }

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

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

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

    public function offsetGet($offset) {
        return isset($this->array[$offset]) ? $this->array[$offset] : null;
    }
}
于 2013-03-29T20:50:10.203 回答
1

你可以在你的类中使用 __toString 函数

class Test
{
    private $_array = array();

    public function __toString()
    {
        return print_r($this->_array, true);
    }
}

然后只是呼应你的课

$test = new Test();
echo $test;

我认为这会按照您的意愿打印出您的数组?

Array
(
)
于 2013-03-29T21:32:27.193 回答