This iterator basically is only a wrapper around another iterator. It does nothing fancy, it simply forwards any calls of rewind(), next(), valid(), current() and key() to the inner iterator. This inner iterator can be fetched with getInnerIterator().
One special case: When passing an IteratorAggregate object, the getIterator() method of that object will be called and THAT iterator will be iterated over, and this will also be returned when calling getInnerIterator().
This class can be extended, so it's an ideal building block for your own classes that only want to modify one or two of the iterator methods, but not all.
Want to trim the strings returned by the current() method?
<?php
class TrimIterator extends IteratorIterator
{
public function current() {
return trim(parent::current());
}
}
$innerIterator = new ArrayIterator(array('normal', ' trimmable '));
$trim = new TrimIterator($innerIterator);
foreach ($trim as $key => $value) {
echo "Key:\n";
var_dump($key);
echo "Value:\n";
var_dump($value);
echo "---next---";
}
?>
Output:
Key:
int(0)
Value:
string(6) "normal"
---next---Key:
int(1)
Value:
string(9) "trimmable"
---next---