- More examples

This commit is contained in:
Marcus Boerger 2004-04-27 18:15:00 +00:00
parent 953a09969f
commit e44c06c14e
2 changed files with 104 additions and 0 deletions

View File

@ -0,0 +1,37 @@
<?php
/**
* @brief An empty Iterator
* @author Marcus Boerger
* @version 1.0
*
*/
class EmptyIterator implements Iterator
{
function rewind()
{
// nothing to do
}
function valid()
{
return false;
}
function current()
{
throw new Exception('Accessing the value of an EmptyIterator');
}
function key()
{
throw new Exception('Accessing the key of an EmptyIterator');
}
function next()
{
// nothing to do
}
}
?>

View File

@ -0,0 +1,67 @@
<?php
/**
* @brief An infinite Iterator
* @author Marcus Boerger
* @version 1.0
*
* This Iterator takes another Iterator and infinitvely iterates it by
* rewinding it when its end is reached.
*
* \note Even an InfiniteIterator stops if its inner Iterator is empty.
*
\verbatim
$it = new ArrayIterator(array(1,2,3));
$infinite = new InfiniteIterator($it);
$limit = new LimitIterator($infinite, 0, 5);
foreach($limit as $val=>$key)
{
echo "$val=>$key\n";
}
\endverbatim
*/
class InfiniteIterator implements Iterator
{
private $it;
function __construct(Iterator $it)
{
$this->it = $it;
}
function getInnerIterator()
{
return $this->it;
}
function rewind()
{
$this->it->rewind();
}
function valid()
{
return $this->it->valid();
}
function current()
{
return $this->it->current();
}
function key()
{
return $this->it->key();
}
function next()
{
$this->it->next();
if (!$this->it->valid())
{
$this->it->rewind();
}
}
}
?>