Итераторы объектов

PHP 5 предоставляет такой способ объявления объектов, который дает возможность пройти по списку элементов данного объекта, например, с помощью оператора foreach. По умолчанию, в этом обходе (итерации) будут участвовать все видимые свойства объекта.

Пример #1 Итерация простого объекта

<?php
class MyClass
{
    public 
$var1 'value 1';
    public 
$var2 'value 2';
    public 
$var3 'value 3';

    protected 
$protected 'protected var';
    private   
$private   'private var';

    function 
iterateVisible() {
       echo 
"MyClass::iterateVisible:\n";
       foreach(
$this as $key => $value) {
           print 
"$key => $value\n";
       }
    }
}

$class = new MyClass();

foreach(
$class as $key => $value) {
    print 
"$key => $value\n";
}
echo 
"\n";


$class->iterateVisible();

?>

Результат выполнения данного примера:

var1 => value 1
var2 => value 2
var3 => value 3

MyClass::iterateVisible:
var1 => value 1
var2 => value 2
var3 => value 3
protected => protected var
private => private var

Как показывает результат, foreach проитерировал все доступные и принадлежащие объекту видимые свойства.

Кроме того, вы можете развить эту концепцию и реализовать встроенный в PHP 5 интерфейс Iterator. Это позволит самому объекту решать как он будет итерироваться и какие данные будут доступны на каждой итерации.

Пример #2 Объект Iteration, реализующий интерфейс Iterator

<?php
class MyIterator implements Iterator
{
    private 
$var = array();

    public function 
__construct($array)
    {
        if (
is_array($array)) {
            
$this->var $array;
        }
    }

    public function 
rewind()
    {
        echo 
"перемотка в начало\n";
        
reset($this->var);
    }
  
    public function 
current()
    {
        
$var current($this->var);
        echo 
"текущий: $var\n";
        return 
$var;
    }
  
    public function 
key() 
    {
        
$var key($this->var);
        echo 
"ключ: $var\n";
        return 
$var;
    }
  
    public function 
next() 
    {
        
$var next($this->var);
        echo 
"следующий: $var\n";
        return 
$var;
    }
  
    public function 
valid()
    {
        
$key key($this->var);
        
$var = ($key !== NULL && $key !== FALSE);
        echo 
"верный: $var\n";
        return 
$var;
    }

}

$values = array(1,2,3);
$it = new MyIterator($values);

foreach (
$it as $a => $b) {
    print 
"$a$b\n";
}
?>

Результат выполнения данного примера:

перемотка в начало
верный: 1
текущий: 1
ключ: 0
0: 1
следующий: 2
верный: 1
текущий: 2
ключ: 1
1: 2
следующий: 3
верный: 1
текущий: 3
ключ: 2
2: 3
следующий:
верный: 

Интерфейс IteratorAggregate может быть использован как альтернатива реализации всех методов интерфейса Iterator. IteratorAggregate требует чтобы был реализован только один метода - IteratorAggregate::getIterator(), который должен возвращать экземпляр класса, реализующий интерфейс Iterator.

Пример #3 Объект Iteration, реализующий интерфейс IteratorAggregate

<?php
class MyCollection implements IteratorAggregate
{
    private 
$items = array();
    private 
$count 0;

    
// Требование интерфейса IteratorAggregate
    
public function getIterator() {
        return new 
MyIterator($this->items);
    }

    public function 
add($value) {
        
$this->items[$this->count++] = $value;
    }
}

$coll = new MyCollection();
$coll->add('value 1');
$coll->add('value 2');
$coll->add('value 3');

foreach (
$coll as $key => $val) {
    echo 
"ключ/значение: [$key -> $val]\n\n";
}
?>

Результат выполнения данного примера:

перемотка в начало
текущий: value 1
верный: 1
текущий: value 1
ключ: 0
ключ/значение: [0 -> value 1]

следующий: value 2
текущий: value 2
верный: 1
текущий: value 2
ключ: 1
ключ/значение: [1 -> value 2]

следующий: value 3
текущий: value 3
верный: 1
текущий: value 3
ключ: 2
ключ/значение: [2 -> value 3]

следующий:
текущий:
верный:

Замечание:

Больше примеров итераторов можно найти в расширении SPL.

Замечание:

Пользователи PHP 5.5 и более поздних версий также могут изучить генераторы, представляющие собой альтернативный способ определения итераторов.

Коментарии

if you in a string define classes that implements IteratorAggregate.
you cant use the default;
<?
...
public function 
getIterator() {
       return new 
MyIterator(\\$this-><What ever>);
}
..
?>
at least not if you want to use eval(<The string>).
You have to use:
<?
...
public function 
getIterator() {
      \\
$arrayObj=new ArrayObject(\\$this-><What ever>);
      return \\
$arrayObj->getIterator();
}
...
?>
2004-12-18 21:19:08
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
You should be prepared for your iterator's current method to be called before its next method is ever called. This certainly happens in a foreach loop. If your means of finding the next item is expensive you might want to use something like this

private $item;
       
function next() {
    $this->item = &$this->getNextItem();
    return $this->item;
}
   
public function current() {
     if(!isset($this->item)) $this->next();
    return $this->item;
}
2005-02-22 10:09:19
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
Use the SPL ArrayAccess interface to call an object as array:

http://www.php.net/~helly/php/ext/spl/interfaceArrayAccess.html
2005-03-01 16:25:58
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
The MyIterator::valid() method above ist bad, because it
breaks on entries with 0 or empty strings, use key() instead:

<?php
public function valid()
{
    return ! 
is_null(key($this->var));
}
?>

read about current() drawbacks:
http://php.net/current
2005-04-10 18:15:07
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
If you want to do someting like this:
<?php
foreach($MyObject as $key => &$value)
   
$value 'new '.$value;
?>
you must return values by reference in your iterator object:
<?php
class MyObject implements Iterator
{
/* ...... other iterator functions ...... */
/* return by reference */
public function &current()
{
   return 
$something;
}
?>

This won't change values:
<?php
foreach($MyObject as $key => $value)
   
$value 'new '.$value;
?>

This will change values:
<?php
foreach($MyObject as $key => &$value)
   
$value 'new '.$value;
?>

I think this should be written somewhere in the documentations, but I couldn't find it.
2005-05-27 07:20:51
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
To clarify on php at moechofe's post, you CAN use the SPL to overide the array operator for a class.  This, with the new features of object, and autoloading (among a buch of other things) has me completely sold on PHP5.  You can also find this information on the SPL portion of the manual, but I'll post it here as well so it isn't passed up.  The below Collection class will let you use the class as an array, while also using the foreach iterator:

<?php 

class Collection implements ArrayAccess,IteratorAggregate
{
    public 
$objectArray = Array();
   
//**these are the required iterator functions   
   
function offsetExists($offset)
    {         
        if(isset(
$this->objectArray[$offset]))  return TRUE;
        else return 
FALSE;         
    }   
   
    function & 
offsetGet($offset)
    {   
        if (
$this->offsetExists($offset))  return $this->objectArray[$offset];
        else return (
false);
    }
   
    function 
offsetSet($offset$value)
    {         
        if (
$offset$this->objectArray[$offset] = $value;
        else 
$this->objectArray[] = $value;
    }
   
    function 
offsetUnset($offset)
    {
        unset (
$this->objectArray[$offset]);
    }
   
    function & 
getIterator()
    {
        return new 
ArrayIterator($this->objectArray);
    }
   
//**end required iterator functions

   
public function doSomething()
    {
        echo 
"I'm doing something";
    }
}

?>

I LOVE the new SPL stuff in PHP!  An example of usage is below:

<?php
class Contact
{
    protected 
$name NULL;

    public function 
set_name($name)
    {
       
$this->name $name;
    }
   
    public function 
get_name()
    {
        return (
$this->name);
    }
}

$bob = new Collection();
$bob->doSomething();
$bob[] = new Contact();
$bob[5] = new Contact();
$bob[0]->set_name("Superman");
$bob[5]->set_name("a name of a guy");

foreach (
$bob as $aContact)
{
     echo 
$aContact->get_name() . "\r\n";
}
?>

Would work just fine.  This makes code so much simpler and easy to follow, it's great.  This is exactly the direction I had hoped PHP5 was going!
2005-06-27 15:20:18
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
Just something i noticed:
It seems, that when you are implementing the interface Iterator, yout method key() has to return a string or integer.

I was trying to return a object an got this error:
Illegal type returned from MyClass::key()
2005-08-06 14:05:50
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
The example code given for valid() will break if the array contains a FALSE value. This code prints out a single "bool(true)" and exits the loop when it gets to the FALSE:

<?php
$A 
= array(TRUEFALSETRUETRUE);
while(
current($A) !== FALSE) {
 
var_dump(current($A));
 
next($A);
}
?>

Instead, the key() function should be used, since it returns NULL only at the end of the array. This code displays all four elements and then exits:

<?php
$A 
= array(TRUEFALSETRUETRUE);
while(!
is_null(key($A))) {
 
var_dump(current($A));
 
next($A);
}
?>
2006-05-05 09:46:29
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
Beware of how works iterator in PHP if you come from Java!

In Java, iterator works like this :
<?php
interface Iterator<O> {
 
boolean hasNext();
 
O next();
 
void remove();
}
?>
But in php, the interface is this (I kept the generics and type because it's easier to understand)

<?php
interface Iterator<O> {
 
boolean valid();
 
mixed key();
 
O current();
 
void next();
 
void previous();
 
void rewind();
}
?>

1. valid() is more or less the equivalent of hasNext()
2. next() is not the equivalent of java next(). It returns nothing, while Java next() method return the next object, and move to next object in Collections. PHP's next() method will simply move forward.

Here is a sample with an array, first in java, then in php :

<?php
class ArrayIterator<O> implements Iterator<O> {
  private final 
O[] array;
  private 
int index 0;

  public 
ArrayIterator(O[] array) {
     
this.array = array;
  }
 
  public 
boolean hasNext() {
    return 
index < array.length;
  } 

  public 
O next() {
     if ( !
hasNext()) 
       throw new 
NoSuchElementException('at end of array');
     return array[
index++];
  }

  public 
void remove() {
    throw new 
UnsupportedOperationException('remove() not supported in array');
  }
}
?> 

And here is the same in php (using the appropriate function) :

<?php
/**
 * Since the array is not mutable, it should use an internal 
 * index over the number of elements for the previous/next 
 * validation.
 */
class ArrayIterator implements Iterator {
  private 
$array;
  public function 
__construct($array) {
    if ( !
is_array($array)) 
      throw new 
IllegalArgumentException('argument 0 is not an array');
   
$this->array = array;
   
$this->rewind();
  }
  public function 
valid() {
    return 
current($this->array) !== false;
   
// that's the bad method (should use arrays_keys, + index)
 
}
  public function 
key() {
     return 
key($this->array);
  }
  public function 
current() {
    return 
current($this->array);
  }
  public function 
next() {
    if ( 
$this->valid()) 
      throw new 
NoSuchElementException('at end of array');
   
next($this->array);
  }
  public function 
previous()  {
   
// fails if current() = first item of array
   
previous($this->array);
  }
  public function 
rewind() {
     
reset($this->array);
  }
}
?>

The difference is notable : don't expect next() to return something like in Java, instead use current(). This also means that you have to prefetch your collection to set the current() object. For instance, if you try to make a Directory iterator (like the one provided by PECL), rewind should invoke next() to set the first element and so on. (and the constructor should call rewind())

Also, another difference :

<?php
class ArrayIterable<O> implements Iterable<O> {
  private final 
O[] array;

  public 
ArrayIterable(O[] array) {
     
this.array = array;
  } 

  public 
Iterator<Oiterator() {
     return new 
ArrayIterator(array);
  }
}
?>

When using an Iterable, in Java 1.5, you may do such loops :

<?php
for ( String s : new ArrayIterable<String>(new String[] {"a""b"})) {
  ...
}
?>
Which is the same as :

<?php
Iterator
<Stringit = new ArrayIterable<String>(new String[] {"a""b"});
while (
it.hasNext()) {
 
String s it.next();
  ...
}
?>
While in PHP it's not the case :
<?php
foreach ( $iterator as $current ) {
  ...
}
?>
Is the same as :

<?php
for ( $iterator->rewind(); $iterator->valid(); $iterator->next()) {
 
$current $iterator->current();
  ...
}
?>

(I think we may also use IteratorAggregate to do it like with Iterable).

Take that in mind if you come from Java.

I hope this explanation is not too long...
2006-08-09 21:01:03
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
The iterator template from knj at aider dot dk does not yield correct results.
If you do
<?
reset
($a);
next($a);
echo 
current($a);
?>
where $a is defined over the suggested template, then the first element will be output, not the second, as expected.
2007-02-27 22:00:05
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
One should be aware that ArrayAccess functionality described by "just_somedood at yahoo dot com" below is currently broken and thus it's pretty unusable.

Read following links to find more:
http://bugs.php.net/bug.php?id=34783
http://bugs.php.net/bug.php?id=32983
2007-04-22 15:38:07
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
Please remember that actually the only PHP iterating structure that uses Iterator is foreach().

Any each() or list() applied to an Object implementing iterator will not provide the expected result
2007-05-18 06:10:17
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
By reading the posts below I wondered if it really is impossible to make an ArrayAccess implementation really behave like a true array ( by being multi level )

Seems like it's not impossible. Not very preety but usable

<?php

class ArrayAccessImpl implements ArrayAccess {

  private 
$data = array();

  public function 
offsetUnset($index) {}

  public function 
offsetSet($index$value) {
//    echo ("SET: ".$index."<br>");
   
   
if(isset($data[$index])) {
        unset(
$data[$index]);
    }
   
   
$u = &$this->data[$index];
    if(
is_array($value)) {
       
$u = new ArrayAccessImpl();
        foreach(
$value as $idx=>$e)
           
$u[$idx]=$e;
    } else
       
$u=$value;
  }

  public function 
offsetGet($index) {
//    echo ("GET: ".$index."<br>");

   
if(!isset($this->data[$index]))
       
$this->data[$index]=new ArrayAccessImpl();
   
    return 
$this->data[$index];
  }

  public function 
offsetExists($index) {
//    echo ("EXISTS: ".$index."<br>");
   
   
if(isset($this->data[$index])) {
        if(
$this->data[$index] instanceof ArrayAccessImpl) {
            if(
count($this->data[$index]->data)>0)
                return 
true;
            else
                return 
false;
        } else
            return 
true;
    } else
        return 
false;
  }

}

echo 
"ArrayAccess implementation that behaves like a multi-level array<hr />";

$data = new ArrayAccessImpl();

$data['string']="Just a simple string";
$data['number']=33;
$data['array']['another_string']="Alpha";
$data['array']['some_object']=new stdClass();
$data['array']['another_array']['x']['y']="LOL @ Whoever said it can't be done !";
$data['blank_array']=array();

echo 
"'array' Isset? "print_r(isset($data['array'])); echo "<hr />";
echo 
"<pre>"print_r($data['array']['non_existent']); echo "</pre>If attempting to read an offset that doesn't exist it returns a blank object! Use isset() to check if it exists!<br>";
echo 
"'non_existent' Isset? "print_r(isset($data['array']['non_existent'])); echo "<br />";
echo 
"<pre>"print_r($data['blank_array']); echo "</pre>A blank array unfortunately returns similar results :(<br />";
echo 
"'blank_array' Isset? "print_r(isset($data['blank_array'])); echo "<hr />";
echo 
"<pre>"print_r($data); echo "</pre> (non_existent remains in the structure. If someone can help to solve this I'll appreciate it)<hr />";

echo 
"Display some value that exists: ".$data['array']['another_string'];

?>

(in the two links mentioned below by artur at jedlinski... they say you can't use references, so I didn't used them.
My implementation uses recursive objects)

If anyone finds a better (cleaner) sollution, please e-mail me.
Thanks,
Wave.
2008-03-01 16:50:53
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
Iterator interface usign key() next() rewind() is MORE slow than extends ArrayIterator with ArrayIterator::next(), ArrayIterator::rewind(), etc.,
2008-10-15 08:06:46
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
Please note that if you implement your iterator this way instead of with an IteratorAggregate you can not nest foreach-loops. This is because when the inner-loop is done the cursor is beyond the last element, then the outer-loop asks for the next element and finds the cursor beyond the last element as the innter-loop left it there.

<?php
 
// Wont work!
foreach($collection as $a) {
  foreach(
$collection as $b) {
   
var_dump($a->someFunc($b));
  }
}
?>
2012-05-15 15:29:44
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
there is still an open bug about using current() etc. with iterators
https://bugs.php.net/bug.php?id=49369
2012-07-01 13:25:08
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
Автор:
szerintetek ez normális, hogy objektumon végigiterálhatsz???
2018-02-23 17:03:36
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
Автор:
I've created a dinamic version of grzeniufication code to allow un-, serialize more than one property:

<?php

class Person implements \Serializable {

    public 
$id;
    public 
$name;
    public 
$birthDate;
    public 
$surname;

    public function 
serialize() {
        return 
serialize((array) $this);
    }

    public function 
unserialize($serialized): void {

        foreach (
unserialize($serialized) as $p => $v) {
           
$this->{$p} = $v;
        }
    }

}
2019-06-19 03:51:10
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html
The days of lovely care-to-the-wind typecasting are coming to close.  Finding this devilish bug took us entirely too long.

PHP-8.2.1 was throwing errors seemingly uncaught (they were eventually seen amassing in  / var / log / apache / DOMAIN-ssl-err.log  ) due to mismatch between return types of the necessary interface methods in our 'implements \Iterator' class (which had worked fine for many years, until our leap up to 8.2.1) versus the interface methods required by PHP.

Particularly:

next()
=====
ours:
public function next() {...}

PHP-8.2.1's
public function next() : void {...}

valid()
======
ours:
public function valid() {...}

PHP-8.2.1's:
public function valid() : bool {...}

key()
====
ours:
public function key() {...}

PHP-8.2.1's:
public function key() : mixed {...}

rewind()
========
ours:
public function rewind() {...}

PHP-8.2.1's:
public function rewind() : void {...}

current()
=======
ours:
public function current() {...}

PHP-8.2.1's:
public function current() : mixed {...}

We added the missing / now all-important return types to our function/method declarations and everything instantly worked again.

This extreme stringency is not made clear enough, IMHO, in the Iterator manual page.
2023-02-05 10:32:30
http://php5.kiev.ua/manual/ru/language.oop5.iterations.html

    Поддержать сайт на родительском проекте КГБ