4

与SplFixedArray一起使用时,我看到 count( $arr, COUNT_RECURSIVE ) 出现一些奇怪的行为。以这段代码为例...

$structure = new SplFixedArray( 10 );

for( $r = 0; $r < 10; $r++ )
{
    $structure[ $r ] = new SplFixedArray( 10 );
    for( $c = 0; $c < 10; $c++ )
    {
        $structure[ $r ][ $c ] = true;
    }
}

echo count( $structure, COUNT_RECURSIVE );

结果...

> 10

您会期望结果为 110。这是因为我嵌套了 SplFixedArray 对象而导致的正常行为吗?

4

1 回答 1

6

SplFixedArray实现Countable,但Countable不允许参数,因此您不能计算递归。参数被忽略。SplFixedArray::count您可以从and的方法签名中看到这一点Countable::count

在https://bugs.php.net/bug.php?id=58102有一个为此打开的功能请求


您可以子类化SplFixedArray并使其实现RecursiveIterator,然后重载count要使用的方法,iterate_count但它总是会计算所有元素,例如它总是COUNT_RECURSIVE那么。不过也可以添加专用方法。

class MySplFixedArray extends SplFixedArray implements RecursiveIterator
{
    public function count()
    {
        return iterator_count(
            new RecursiveIteratorIterator(
                $this,
                RecursiveIteratorIterator::SELF_FIRST
            )
        );
    }

    public function getChildren()
    {
        return $this->current();
    }

    public function hasChildren()
    {
        return $this->current() instanceof MySplFixedArray;
    }
}

演示

于 2012-09-05T15:30:44.493 回答