$arrayIter = new ArrayIterator( array(1, 2) );
$iterIter = new IteratorIterator($arrayIter);
var_dump($iterIter->valid()); //false
var_dump($arrayIter->valid(
With a fresh iterator the position isn't initialized, simply for performance reason, you can stack iterators on top of other iterators, if all of them would rewind during construction there would be some performance impact, additionally some iterators might change their first value after the constructor was executed - which is unknown to iterators further out.
Iterators are usually executed by foreach() which does a rewind() first ...
While extending the IteratorIterator
class to spare implementing the whole iterator interface and/or to create a decorator of an iterator I've been running into this as well.
That decorator is already the solution to the problem, it only needs to implement the missing functionality to remove the inconsistency. No need for an auto-rewind:
class IteratorDecorator extends IteratorIterator
{
public function valid()
{
return $this->getInnerIterator()->valid();
}
}
Example: If you have an Iterator
object that is valid by default, e.g. ArrayIterator
:
$it = new ArrayIterator(array(1));
var_dump($it->valid()); # bool(true)
$itit = new IteratorIterator($it);
var_dump($itit->valid()); # bool(false)
This shows the inconsistency of the IteratorIterator
implementation well, the IteratorIterator
object does not properly reflect the inner ArrayIterator
's state. Using the IteratorDecorator
can heal this:
$decor = new IteratorDecorator($it);
var_dump($decor->valid()); # bool(true)
And if you have followed up until here, here is another special case you might want to consider: If you don't need to have rewind
with the inner iterator, you can just use the NoRewindIterator
which returns the validity correct as well:
$noretit = new NoRewindIterator($it);
var_dump($noretit->valid()); # bool(true)
Taken Johannes "no auto-rewind" arguments into account, this makes sense, as the NoRewindIterator
expects that the iterator should not be rewinded and shows the inner iterator's validity correctly.
But as the IteratorDecorator
shows, I don't do any kind of auto-rewind as well to remove the inconsistency.
Like @johannes said, the position isn't initialized in the IteratorIterator
and thus it is not valid before any other of it's methods are run on it or it is used with foreach()
Try to do
var_dump( $iterIter->current() ); // NULL
var_dump( $iterIter->getInnerIterator()->current() ); // 1
And also
$iterIter->rewind();
var_dump( $iterIter->current() ); // 1
var_dump( $iterIter->getInnerIterator()->->current() ); // 1
And also note that on an unitiliazed IteratorIterator:
$iterIter->next(); // 2
var_dump( $iterIter->current()) ; // 2 (from NULL to 2)
var_dump( $iterIter->getInnerIterator()->current() ); // 2
Note that $arrayIter
from your code snippet is identical to $iterIter->getInnerIterator()
.
Hope that shed some light.