SlideShare a Scribd company logo
Looping the
Loop
with
SPL Iterators
Looping the Loop with SPL
Iterators
What is an Iterator?
An Iterator is an object that enables a programmer to
traverse a container, particularly lists.
A Behavioural Design Pattern (GoF)
Looping the Loop with SPL
Iterators
What is an Iterator?
$dataSet = ['A', 'B', 'C'];
foreach($dataSet as $key => $value) {
echo "{$key} => {$value}", PHP_EOL;
}
Looping the Loop with SPL
Iterators
What is an Iterator?
0 => A
1 => B
2 => C
Looping the Loop with SPL
Iterators
What is an Iterator?
$data = ['A', 'B', 'C'];
$dataSet = new ArrayIterator($data);
foreach($dataSet as $key => $value) {
echo "{$key} => {$value}", PHP_EOL;
}
Looping the Loop with SPL
Iterators
What is an Iterator?
0 => A
1 => B
2 => C
Looping the Loop with SPL
Iterators
What is an Iterator?
interface Iterator extends Traversable {
/* Methods */
abstract public current ( void ) : mixed
abstract public key ( void ) : scalar
abstract public next ( void ) : void
abstract public rewind ( void ) : void
abstract public valid ( void ) : bool
}
Looping the Loop with SPL
Iterators
What is an Iterator?
$data = ['A', 'B', 'C'];
$iterator = new ArrayIterator($data);
$iterator->rewind();
while ($iterator->valid()) {
$key = $iterator->key();
$value = $iterator->current();
echo "{$key} => {$value}", PHP_EOL;
$iterator->next();
}
Looping the Loop with SPL
Iterators
What is an Iterator?
0 => A
1 => B
2 => C
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
The Iterable Tree
iterable
array
Traversable
Iterator
Generator
IteratorAggregate
Looping the Loop with SPL
Iterators
The Iterable Tree
Not all iterables are equal
You can count the elements in an array !
Can you count the elements in an Iterator?
Looping the Loop with SPL
Iterators
The Iterable Tree
Not all iterables are equal
You can access the elements of an array by
their index !
Can you access the elements of an Iterator
by index ?
Looping the Loop with SPL
Iterators
The Iterable Tree
Not all iterables are equal
You can rewind an Iterator !
Can you rewind a Generator ?
Looping the Loop with SPL
Iterators
The Iterable Tree
Not all iterables are equal
Iterator_* functions (e.g. iterator_to_array)
work on Iterators ?
Can you use iterator_* functions on an
IteratorAggregate ?
Looping the Loop with SPL
Iterators
The Iterable Tree
iterable
array
Traversable
Iterator
Generator
IteratorAggregate
Iterable is a pseudo-type
introduced in PHP 7.1. It accepts
any array, or any object that
implements the Traversable
interface. Both of these types are
iterable using foreach.
Looping the Loop with SPL
Iterators
The Iterable Tree
iterable
array
Traversable
Iterator
Generator
IteratorAggregate
An array in PHP is an ordered map, a
type that associates values to keys. This
type is optimized for several different
uses; it can be treated as an array, list
(vector), hash table (an implementation
of a map), dictionary, collection, stack,
queue, and more.
The foreach control structure exists
specifically for arrays.
Looping the Loop with SPL
Iterators
The Iterable Tree
iterable
array
Traversable
Iterator
Generator
IteratorAggregate
Abstract base interface to detect if a
class is traversable using foreach. It
cannot be implemented alone in
Userland code; but instead must be
implemented through either
IteratorAggregate or Iterator.
Internal (built-in) classes that implement
this interface can be used in a foreach
construct and do not need to implement
IteratorAggregate or Iterator.
Looping the Loop with SPL
Iterators
The Iterable Tree
iterable
array
Traversable
Iterator
Generator
IteratorAggregate
Abstract base interface to detect if a
class is traversable using foreach. It
cannot be implemented alone in
Userland code; but instead must be
implemented through either
IteratorAggregate or Iterator.
PDOStatement
DatePeriod
SimpleXMLElement
Looping the Loop with SPL
Iterators
The Iterable Tree
iterable
array
Traversable
Iterator
Generator
IteratorAggregate
An Interface for external iterators or
objects that can be iterated themselves
internally.
PHP already provides a number of
iterators for many day to day tasks
within the Standard PHP Library (SPL).
SPL Iterators
SPL DataStructures
WeakMaps (PHP 8)
Looping the Loop with SPL
Iterators
The Iterable Tree
iterable
array
Traversable
Iterator
Generator
IteratorAggregate
Generators provide an easy way to
implement simple user-defined iterators
without the overhead or complexity of
implementing a class that implements
the Iterator interface.
This flexibility does come at a cost,
however: generators are forward-only
iterators, and cannot be rewound once
iteration has started.
Looping the Loop with SPL
Iterators
The Iterable Tree
iterable
array
Traversable
Iterator
Generator
IteratorAggregate
IteratorAggregate is a special interface
for implementing an abstraction layer
between user code and iterators.
Implementing an IteratorAggregate will
allow you to delegate the work of
iteration to a separate class, while still
enabling you to use the collection inside
a foreach loop.
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
Implementing an Iterator
interface Iterator extends Traversable {
/* Methods */
abstract public current ( void ) : mixed
abstract public key ( void ) : scalar
abstract public next ( void ) : void
abstract public rewind ( void ) : void
abstract public valid ( void ) : bool
}
Looping the Loop with SPL
Iterators
Implementing an Iterator
class Utf8StringIterator implements Iterator {
private $string;
private $offset = 0;
private $length = 0;
public function __construct(string $string) {
$this->string = $string;
$this->length = iconv_strlen($string);
}
public function valid(): bool {
return $this->offset < $this->length;
}
...
}
Looping the Loop with SPL
Iterators
Implementing an Iterator
class Utf8StringIterator implements Iterator {
...
public function rewind(): void {
$this->offset = 0;
}
public function current(): string {
return iconv_substr($this->string, $this->offset, 1);
}
public function key(): int {
return $this->offset;
}
public function next(): void {
++$this->offset;
}
}
Looping the Loop with SPL
Iterators
Implementing an Iterator
$stringIterator = new Utf8StringIterator('Καλησπέρα σε όλους');
foreach($stringIterator as $character) {
echo "[{$character}]";
}
Looping the Loop with SPL
Iterators
Implementing an Iterator
[Κ][α][λ][η][σ][π][έ][ρ][α][ ][σ][ε][ ][ό][λ][ο][υ][ς]
Looping the Loop with SPL
Iterators
Implementing an Iterator
class FileLineIterator implements Iterator {
private $fileHandle;
private $line = 1;
public function __construct(string $fileName) {
$this->fileHandle = fopen($fileName, 'r');
}
public function __destruct() {
fclose($this->fileHandle);
}
}
Looping the Loop with SPL
Iterators
Implementing an Iterator
class FileLineIterator implements Iterator {
...
public function current(): string {
$fileData = fgets($this->fileHandle);
return rtrim($fileData, "n");
}
public function key(): int {
return $this->line;
}
public function next(): void {
++$this->line;
}
}
Looping the Loop with SPL
Iterators
Implementing an Iterator
class FileLineIterator implements Iterator {
...
public function rewind(): void {
fseek($this->fileHandle, 0);
$this->line = 1;
}
public function valid(): bool {
return !feof($this->fileHandle);
}
}
Looping the Loop with SPL
Iterators
Implementing an Iterator
$fileLineIterator = new FileLineIterator(__FILE__);
foreach($fileLineIterator as $lineNumber => $fileLine) {
echo "{$lineNumber}: {$fileLine}", PHP_EOL;
}
Looping the Loop with SPL
Iterators
Implementing an Iterator
1: <?php
2:
3: class FileLineIterator implements Iterator {
4: private $fileHandle;
5: private $line = 1;
6:
7: public function __construct(string $fileName) {
8: $this->fileHandle = fopen($fileName, 'r’);
9: }
10:
…
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
class UserRepository {
// ...
public function all(): array {
$userQuery = 'SELECT * FROM `users` ...';
$statement = $this->pdo->prepare($userQuery);
$statement->execute();
$users = $statement->fetchAll();
return array_map(fn(array $user): User => User::fromArray($user), $users);
}
}
Looping the Loop with SPL
Iterators
class UserRepository {
// ...
/**
* @return User[]
*/
public function all(): array {
$userQuery = 'SELECT * FROM `users` ...';
$statement = $this->pdo->prepare($userQuery);
$statement->execute();
$users = $statement->fetchAll();
return array_map(fn(array $user): User => User::fromArray($user), $users);
}
}
Looping the Loop with SPL
Iterators
class UserCollection extends ArrayIterator {
}
Looping the Loop with SPL
Iterators
class UserRepository {
// ...
public function all(): UserCollection {
$userQuery = 'SELECT * FROM `users` ...';
$statement = $this->pdo->prepare($userQuery);
$statement->execute();
$users = $statement->fetchAll();
return new UserCollection(
array_map(fn(array $user): User => User::fromArray($user), $users)
);
}
}
Looping the Loop with SPL
Iterators
class UserCollection extends ArrayIterator {
public function current(): User {
return User::fromArray(parent::current());
}
}
Looping the Loop with SPL
Iterators
class UserRepository {
// ...
public function all(): UserCollection {
$userQuery = 'SELECT * FROM `users` ...';
$statement = $this->pdo->prepare($userQuery);
$statement->execute();
$users = $statement->fetchAll();
return new UserCollection($users);
}
}
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
ArrayIterator
Implements:
Countable
ArrayAccess
Serializable
SeekableIterator (which entends Iterator)
Looping the Loop with SPL
Iterators
ArrayIterator
Implements:
Countable
Looping the Loop with SPL
Iterators
ArrayIterator – Countable
interface Countable {
/* Methods */
abstract public count ( void ) : int
}
Looping the Loop with SPL
Iterators
ArrayIterator – Countable
$userData = ['user1', 'user2', 'user3', 'user4'];
$userList = new UserList($userData);
$userCount = count($userList);
echo "There are {$userCount} users in this list", PHP_EOL;
Looping the Loop with SPL
Iterators
ArrayIterator – Countable
$userData = ['user1', 'user2', 'user3', 'user4'];
$userList = new UserList($userData);
echo "There are {$userList->count()} users in this list", PHP_EOL;
Looping the Loop with SPL
Iterators
ArrayIterator – Countable
There are 4 users in this list
Looping the Loop with SPL
Iterators
ArrayIterator
Implements:
Countable
ArrayAccess
Looping the Loop with SPL
Iterators
ArrayIterator – ArrayAccess
interface ArrayAccess {
/* Methods */
abstract public offsetExists ( mixed $offset ) : bool
abstract public offsetGet ( mixed $offset ) : mixed
abstract public offsetSet ( mixed $offset , mixed $value ) : void
abstract public offsetUnset ( mixed $offset ) : void
}
Looping the Loop with SPL
Iterators
ArrayIterator – ArrayAccess
$userData = ['user1', 'user2', 'user3', 'user4'];
$userList = new UserList($userData);
echo "The 3rd entry in the list is {$userList[2]}", PHP_EOL;
Looping the Loop with SPL
Iterators
ArrayIterator – ArrayAccess
The 3rd entry in the list is user3
Looping the Loop with SPL
Iterators
ArrayIterator
Implements:
Countable
ArrayAccess
Serializable
Looping the Loop with SPL
Iterators
ArrayIterator – Serializable
interface Serializable {
/* Methods */
abstract public serialize ( void ) : string
abstract public unserialize ( string $serialized ) : void
}
Looping the Loop with SPL
Iterators
ArrayIterator – Serializable
$userData = ['user1', 'user2', 'user3', 'user4'];
$userList = new UserList($userData);
var_dump(serialize($userList));
Looping the Loop with SPL
Iterators
ArrayIterator – Serializable
string(117)
"O:8:"UserList":4:{i:0;i:0;i:1;a:4:{i:0;s:5:"user1";
i:1;s:5:"user2";i:2;s:5:"user3";i:3;s:5:"user4";}i:2;
a:0:{}i:3;N;}"
Looping the Loop with SPL
Iterators
ArrayIterator
Implements:
Countable
ArrayAccess
Serializable
SeekableIterator (which entends Iterator)
Looping the Loop with SPL
Iterators
ArrayIterator – SeekableIterator
SeekableIterator extends Iterator {
/* Methods */
abstract public seek ( int $position ) : void
/* Inherited methods */
abstract public Iterator::current ( void ) : mixed
abstract public Iterator::key ( void ) : scalar
abstract public Iterator::next ( void ) : void
abstract public Iterator::rewind ( void ) : void
abstract public Iterator::valid ( void ) : bool
}
Looping the Loop with SPL
Iterators
ArrayIterator – SeekableIterator
$userData = ['user1', 'user2', 'user3', 'user4'];
$userList = new UserList($userData);
$userList->seek(2);
while ($userList->valid()) {
echo $userList->current(), PHP_EOL;
$userList->next();
}
Looping the Loop with SPL
Iterators
ArrayIterator – SeekableIterator
user3
user4
Looping the Loop with SPL
Iterators
ArrayIterator – SeekableIterator
$userData = ['user1', 'user2', 'user3', 'user4'];
$userList = new UserList($userData);
$userList->seek(2);
foreach($userList as $userName) {
echo $userName, PHP_EOL;
}
Looping the Loop with SPL
Iterators
ArrayIterator – SeekableIterator
user1
user2
user3
user4

Looping the Loop with SPL
Iterators
ArrayIterator – SeekableIterator
$userData = ['A' => 'user1', 'B' => 'user2', 'C' => 'user3', 'D' => 'user4'];
$userList = new UserList($userData);
$userList->seek('C');
while ($userList->valid()) {
echo $userList->current(), PHP_EOL;
$userList->next();
}
Looping the Loop with SPL
Iterators
ArrayIterator – SeekableIterator
PHP7
Warning:
ArrayIterator::seek() expects parameter 1 to be int,
string given

Looping the Loop with SPL
Iterators
ArrayIterator – SeekableIterator
PHP8
Fatal error: Uncaught TypeError
ArrayIterator::seek(): Argument #1 ($position) must be
of type int, string given

Looping the Loop with SPL
Iterators
ArrayIterator
Implements:
Countable
ArrayAccess
Serializable
SeekableIterator (which entends Iterator)
Also provides methods for sorting
Doesn’t work with array_* functions
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
LimitIterator
$userData = ['user1', 'user2', 'user3', 'user4'];
$userList = new LimitIterator(
new UserList($userData),
2,
1
);
foreach($userList as $value) {
echo $value, PHP_EOL;
}
Looping the Loop with SPL
Iterators
LimitIterator
user3
Looping the Loop with SPL
Iterators
InfiniteIterator
$weekdayNames = ['Sun', 'Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat'];
$todayOffset = (int) (new DateTime('2020-09-08'))->format('w');
$weekdayList = new LimitIterator(
new InfiniteIterator( new ArrayIterator($weekdayNames) ),
$todayOffset,
14
);
foreach($weekdayList as $dayOfWeek) {
echo $dayOfWeek, PHP_EOL;
}
Looping the Loop with SPL
Iterators
InfiniteIterator
Tues
Wed
Thurs
Fri
Sat
Sun
Mon
Tues
Wed
Thurs
Fri
Sat
Sun
Mon
Looping the Loop with SPL
Iterators
CallbackFilterIterator
$weekdayNames = ['Sun', 'Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat'];
$todayOffset = (int) (new DateTime('2020-09-15'))->format('w');
$workdayList = new CallbackFilterIterator(
new LimitIterator(
new InfiniteIterator( new ArrayIterator($weekdayNames) ),
$todayOffset,
14
),
fn($dayName): bool => $dayName !== 'Sat' && $dayName !== 'Sun'
);
foreach($workdayList as $dayOfWeek) {
echo $dayOfWeek, PHP_EOL;
}
Looping the Loop with SPL
Iterators
CallbackFilterIterator
Tues
Wed
Thurs
Fri
Mon
Tues
Wed
Thurs
Fri
Mon
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
FilterIterator
abstract FilterIterator extends IteratorIterator implements OuterIterator {
/* Methods */
public abstract accept ( void ) : bool
public __construct ( Iterator $iterator )
public current ( void ) : mixed
public getInnerIterator ( void ) : Iterator
public key ( void ) : mixed
public next ( void ) : void
public rewind ( void ) : void
public valid ( void ) : bool
}
Looping the Loop with SPL
Iterators
FilterIterator
class ImageFileIterator extends FilterIterator {
// Overwrite the constructor to automagically create an inner iterator
// to iterate the file system when given a path name.
public function __construct(string $path) {
parent::__construct(new FilesystemIterator($path));
}
// Overwrite the accept method to perform a super simple test to
// determine if the files found were images or not.
public function accept(): bool {
$fileObject = $this->getInnerIterator()->current();
return preg_match('/^(?:gif|jpe?g|png)$/i', $fileObject->getExtension());
}
}
Looping the Loop with SPL
Iterators
FilterIterator
class ImageFileIterator extends FilterIterator {
// Overwrite the constructor to automagically create an inner iterator
// to iterate the file system when given a path name.
public function __construct(string $path) {
parent::__construct(new FilesystemIterator($path));
}
// Overwrite the accept method to perform a super simple test to
// determine if the files found were images or not.
public function accept(): bool {
return preg_match('/^(?:gif|jpe?g|png)$/i', $this->getExtension());
}
}
Looping the Loop with SPL
Iterators
FilterIterator
$path = dirname(__FILE__);
foreach(new ImageFileIterator($path) as $imageObject) {
echo $imageObject->getBaseName(), PHP_EOL;
}
Looping the Loop with SPL
Iterators
FilterIterator
anubis.jpg
Carpet.jpg
Crazy Newspaper Headlines.jpg
elephpant.jpg
Pie Chart.jpg
PowerOfBooks.jpg
Struggling-Team.png
TeddyBears.jpg
Looping the Loop with SPL
Iterators
Iterator Keys
class ImageFileIterator extends FilterIterator {
...
// Overwrite the key method to return the file extension as the key
public function key(): string {
return $this->getExtension();
}
}
foreach(new ImageFileIterator($path) as $extension => $imageObject) {
echo "{$extension} => {$imageObject->getBaseName()}", PHP_EOL;
}
Looping the Loop with SPL
Iterators
Iterator Keys
jpg => anubis.jpg
jpg => Carpet.jpg
jpg => Crazy Newspaper Headlines.jpg
jpg => elephpant.jpg
jpg => Pie Chart.jpg
jpg => PowerOfBooks.jpg
png => Struggling-Team.png
jpg => TeddyBears.jpg
Looping the Loop with SPL
Iterators
Iterator Keys
class ImageFileIterator extends FilterIterator {
...
// Overwrite the key method to return the last modified date/time as the key
public function key(): DateTime {
return DateTime::createFromFormat('U', $this->getMTime());
}
}
foreach(new ImageFileIterator($path) as $date => $imageObject) {
echo "{$date->format('Y-m-d H:i:s')} => {$imageObject->getBaseName()}",
PHP_EOL;
}
Looping the Loop with SPL
Iterators
Iterator Keys
2012-03-24 00:38:24 => anubis.jpg
2013-01-27 22:32:20 => Carpet.jpg
2013-03-07 12:16:24 => Crazy Newspaper Headlines.jpg
2012-02-16 22:31:56 => elephpant.jpg
2012-10-09 11:51:56 => Pie Chart.jpg
2012-07-17 12:22:32 => PowerOfBooks.jpg
2012-12-30 18:14:24 => Struggling-Team.png
2012-01-31 11:17:32 => TeddyBears.jpg
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
MultipleIterator
$dates = ['Q1-2019', 'Q2-2019', 'Q3-2019', 'Q4-2019'];
$budget = [1200, 1300, 1400, 1500];
$expenditure = [1250, 1315, 1440, 1485];
$budgetElements = count($budget);
for ($i = 0; $i < $budgetElements; $i++) {
echo "{$dates[$i]} - {$budget[$i]}, {$expenditure[$i]}", PHP_EOL;
}
Looping the Loop with SPL
Iterators
MultipleIterator
$dates = ['Q1-2019', 'Q2-2019', 'Q3-2019', 'Q4-2019'];
$budget = [1200, 1300, 1400, 1500];
$expenditure = [1250, 1315, 1440, 1485];
foreach($dates as $key => $period) {
echo "{$period} - {$budget[$key]}, {$expenditure[$key]}", PHP_EOL;
}
Looping the Loop with SPL
Iterators
MultipleIterator
Q1-2019 - 1200, 1250
Q2-2019 - 1300, 1315
Q3-2019 - 1400, 1440
Q4-2019 - 1500, 1485
Looping the Loop with SPL
Iterators
MultipleIterator
function wrapArrayAsIterator(array $array) {
return new ArrayIterator($array);
}
$combinedIterable = new MultipleIterator(MultipleIterator::MIT_KEYS_ASSOC);
$combinedIterable->attachIterator(wrapArrayAsIterator($dates), 'date');
$combinedIterable->attachIterator(wrapArrayAsIterator($budget), 'budget');
$combinedIterable->attachIterator(wrapArrayAsIterator($expenditure), 'expenditure');
Looping the Loop with SPL
Iterators
MultipleIterator
foreach($combinedIterable as $dateValues) {
echo $dateValues['date'],
" - {$dateValues['budget']}, {$dateValues['expenditure']}",
PHP_EOL;
}
Looping the Loop with SPL
Iterators
MultipleIterator
foreach($combinedIterable as $dateValues) {
[$date, $budget, $expenditure] = $dateValues;
echo "{$date} - {$budget}, {$expenditure}", PHP_EOL;
}
Looping the Loop with SPL
Iterators
MultipleIterator
Q1-2019 - 1200, 1250
Q2-2019 - 1300, 1315
Q3-2019 - 1400, 1440
Q4-2019 - 1500, 1485
Looping the Loop with SPL
Iterators
MultipleIterator
function wrapArrayAsIterator(array $array) {
return new ArrayIterator($array);
}
$combinedIterable = new MultipleIterator(MultipleIterator::MIT_KEYS_ASSOC);
$combinedIterable->attachIterator(wrapArrayAsIterator($dates), 'date');
$combinedIterable->attachIterator(wrapArrayAsIterator($budget), 'budget');
$combinedIterable->attachIterator(wrapArrayAsIterator($expenditure), 'expenditure');
Looping the Loop with SPL
Iterators
MultipleIterator
foreach($combinedIterable as $dateValues) {
extract($dateValues);
echo "{$date} - {$budget}, {$expenditure}", PHP_EOL;
}
Looping the Loop with SPL
Iterators
MultipleIterator
Q1-2019 - 1200, 1250
Q2-2019 - 1300, 1315
Q3-2019 - 1400, 1440
Q4-2019 - 1500, 1485
Looping the Loop with SPL
Iterators
MultipleIterator
$allocations = $totalAdvance->allocateTo(count($cars));
foreach ($cars as $i => $car) {
$car->setAdvance($allocations[$i]);
}
Looping the Loop with SPL
Iterators
MultipleIterator
$allocations = $totalAdvance->allocateTo(count($cars));
$advanceAllocations = new MultipleIterator(MultipleIterator::MIT_KEYS_ASSOC);
$advanceAllocations->attachIterator(ArrayIterator($cars), 'car');
$advanceAllocations->attachIterator(ArrayIterator($allocations), 'advance');
foreach($advanceAllocations as $advanceAllocation) {
extract($advanceAllocation);
$car->setAdvance($advance);
}
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
Inner and Outer Iterators
Inner Iterator
Implements Iterator, or extends a class that
implements Iterator
ArrayIterator
SeekableIterator
FilesystemIterator
MultipleIterator
Looping the Loop with SPL
Iterators
Inner and Outer Iterators
Outer Iterator
Implements OuterIterator, or extends an
Iterator that already implements
OuterIterator
LimitIterator
InfiniteIterator
FilterIterator
CallbackFilterIterator
Looping the Loop with SPL
Iterators
Recursive Iterators
A RecursiveIterator defines methods to
allow iteration over hierarchical data
structures.
Nested Arrays (and Objects if using
ArrayAccess)
Filesystem Directories/Folders
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
class UserRepository {
// ...
public function all(): UserCollection {
$userQuery = 'SELECT * FROM `users` ...';
$statement = $this->pdo->prepare($userQuery);
$statement->execute();
$users = $statement->fetchAll();
return new UserCollection(
array_map(fn(array $user): User => User::fromArray($user), $users)
);
}
}
Looping the Loop with SPL
Iterators
class UserRepository {
// ...
public function all(): Generator {
$userQuery = 'SELECT * FROM `users` ...';
$statement = $this->pdo->prepare($userQuery);
$statement->execute();
while ($user = $statement->fetch()) {
yield User::fromArray($user);
}
}
}
Looping the Loop with SPL
Iterators
class UserRepository {
// ...
/**
* @return Generator|User[]
*/
public function all(): Generator {
$userQuery = 'SELECT * FROM `users` ...';
$statement = $this->pdo->prepare($userQuery);
$statement->execute();
while ($user = $statement->fetch()) {
yield User::fromArray($user);
}
}
}
Looping the Loop with SPL
Iterators
IteratorAggregate
IteratorAggregate extends Traversable {
/* Methods */
abstract public getIterator ( void ) : Traversable
}
Looping the Loop with SPL
Iterators
class UserCollection implements IteratorAggregate {
private PDOStatement $pdoStatement;
public function __construct(PDOStatement $pdoStatement) {
$this->pdoStatement = $pdoStatement;
}
public function getIterator(): Traversable {
$this->pdoStatement->execute();
while ($user = $this->pdoStatement->fetch()) {
yield User::fromArray($user);
}
}
}
Looping the Loop with SPL
Iterators
class UserRepository {
// ...
public function all(): UserCollection {
$userQuery = 'SELECT * FROM `users` ...';
$statement = $this->pdo->prepare($userQuery);
return new UserCollection($statement);
}
}
Looping the Loop with SPL
Iterators
Implementing a Fluent Nested Iterator
$weekdayNames = ['Sun', 'Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat'];
$todayOffset = (int) (new DateTime('2020-09-15'))->format('w');
$workdayList = new CallbackFilterIterator(
new LimitIterator(
new InfiniteIterator( new ArrayIterator($weekdayNames) ),
$todayOffset,
14
),
fn($dayName): bool => $dayName !== 'Sat' && $dayName !== 'Sun'
);
foreach($workdayList as $dayOfWeek) {
echo $dayOfWeek, PHP_EOL;
}
Looping the Loop with SPL
Iterators
Implementing a Fluent Nested Iterator
class FluentNestedIterator implements IteratorAggregate {
protected iterable $iterator;
public function __construct(iterable $iterator) {
$this->iterator = $iterator;
}
public function with(string $iterable, ...$args): self {
$this->iterator = new $iterable($this->iterator, ...$args);
return $this;
}
public function getIterator() {
return $this->iterator;
}
}
Looping the Loop with SPL
Iterators
Implementing a Fluent Nested Iterator
$weekdayNames = ['Sun', 'Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat'];
$todayOffset = (int) (new DateTime('2020-10-08'))->format('w');
$workdayList = (new FluentNestedIterator(new ArrayIterator($weekdayNames)))
->with(InfiniteIterator::class)
->with(LimitIterator::class, $todayOffset, 14)
->with(
CallbackFilterIterator::class,
fn($dayName): bool => $dayName !== 'Sat' && $dayName !== 'Sun'
);
foreach($workdayList as $dayOfWeek) {
echo $dayOfWeek, PHP_EOL;
}
Looping the Loop with SPL
Iterators
Implementing a Fluent Nested Iterator
Thurs
Fri
Mon
Tues
Wed
Thurs
Fri
Mon
Tues
Wed
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
Array Functions
Don’t work with Traversables
Looping the Loop with SPL
Iterators
Array Functions
Don’t work with Traversables
Looping the Loop with SPL
Iterators
Array Functions – Filter
function filter(iterable $iterator, Callable $callback = null) {
if ($callback === null) {
$callback = 'iterableFilterNotEmpty';
}
foreach ($iterator as $key => $value) {
if ($callback($value)) {
yield $key => $value;
}
}
}
Looping the Loop with SPL
Iterators
Array Functions – Filter
$startTime = new DateTime('2015-11-23 13:20:00Z');
$endTime = new DateTime('2015-11-23 13:30:00Z');
$timeFilter = function($timestamp) use ($startTime, $endTime) {
return $timestamp >= $startTime && $timestamp <= $endTime;
};
$filteredTrackingData = filter(
$gpxReader->getElements('trkpt'),
$timeFilter,
ARRAY_FILTER_USE_KEY
);
foreach ($filteredTrackingData as $time => $element) {
...
}
Looping the Loop with SPL
Iterators
Array Functions – Filter
2015-11-23 13:24:40
latitude: 53.5441 longitude: -2.7416 elevation: 124
2015-11-23 13:24:49
latitude: 53.5441 longitude: -2.7416 elevation: 122
2015-11-23 13:24:59
latitude: 53.5441 longitude: -2.7416 elevation: 120
2015-11-23 13:25:09
latitude: 53.5441 longitude: -2.7417 elevation: 120
2015-11-23 13:25:19
latitude: 53.5441 longitude: -2.7417 elevation: 121
2015-11-23 13:25:29
latitude: 53.5441 longitude: -2.7417 elevation: 120
2015-11-23 13:25:39
latitude: 53.5441 longitude: -2.7417 elevation: 120
Looping the Loop with SPL
Iterators
Array Functions – Filter
Of course, we could always use a
CallBackFilterIterator
Looping the Loop with SPL
Iterators
Array Functions – Map
function map(Callable $callback, iterable $iterator) {
foreach ($iterator as $key => $value) {
yield $key => $callback($value);
}
}
Looping the Loop with SPL
Iterators
Array Functions – Map
$distanceCalculator = new GpxReaderHelpersDistanceCalculator();
$mappedTrackingData = map(
[$distanceCalculator, 'setDistanceProperty'],
$gpxReader->getElements('trkpt')
);
foreach ($mappedTrackingData as $time => $element) {
...
}
Looping the Loop with SPL
Iterators
Array Functions – Map
2015-11-23 14:57:07
latitude: 53.5437 longitude: -2.7424 elevation: 103
distance from previous point: 6.93 m
2015-11-23 14:57:17
latitude: 53.5437 longitude: -2.7424 elevation: 100
distance from previous point: 1.78 m
2015-11-23 14:57:27
latitude: 53.5438 longitude: -2.7425 elevation: 89
distance from previous point: 11.21 m
2015-11-23 14:57:37
latitude: 53.5439 longitude: -2.7424 elevation: 83
distance from previous point: 9.23 m
2015-11-23 14:57:47
latitude: 53.5439 longitude: -2.7425 elevation: 92
distance from previous point: 5.40 m
Looping the Loop with SPL
Iterators
Array Functions – Walk
iterator_apply()
iterator_apply(
Traversable $iterator,
Callable $callback
[, array $args = NULL ]
) : int
Looping the Loop with SPL
Iterators
Array Functions – Reduce
function reduce(iterable $iterator, Callable $callback, $initial = null) {
$result = $initial;
foreach($iterator as $value) {
$result = $callback($result, $value);
}
return $result;
}
Looping the Loop with SPL
Iterators
Array Functions – Reduce
$distanceCalculator = new GpxReaderHelpersDistanceCalculator();
$totalDistance = reduce(
map(
[$distanceCalculator, 'setDistanceProperty'],
$gpxReader->getElements('trkpt')
),
function($runningTotal, $value) {
return $runningTotal + $value->distance;
},
0.0
);
Looping the Loop with SPL
Iterators
Array Functions – Reduce
Total distance travelled is 4.33 km
Looping the Loop with SPL
Iterators
Array Functions – Other Iterator
Functions
Iterator_count()
iterator_count ( Traversable $iterator ) : int
Looping the Loop with SPL
Iterators
Array Functions – Other Iterator
Functions
Iterator_to_array()
iterator_to_array (
Traversable $iterator
[, bool $use_keys = TRUE ]
) : array
Looping the Loop with SPL
Iterators
Looping the Loop with SPL
Iterators
A Functional Guide to Cat Herding with PHP
Generators
• https://markbakeruk.net/2016/01/19/a-functional-guide-to-cat-herding-with-php-generators/
• https://markbakeruk.net/2020/01/05/filtering-and-mapping-with-spl-iterators/
• https://markbakeruk.net/2019/12/31/parallel-looping-in-php-with-spls-multipleiterator/
Looping the Loop with SPL
Iterators
Iterating PHP Iterators
By Cal Evans
https://leanpub.com/iteratingphpiterators
by Joshua Thijssen
https://www.phparch.com/books/mastering-the-spl-library/
Who am I?
Mark Baker
Most Recently: Senior Software Engineer
MessageBird BV, Amsterdam
Coordinator and Developer of:
Open Source PHPOffice library
PHPExcel, PHPWord, PHPPowerPoint, PHPProject, PHPVisio
Minor contributor to PHP core (SPL DataStructures)
Other small open source libraries available on github
@Mark_Baker
https://github.com/MarkBaker
http://uk.linkedin.com/pub/mark-baker/b/572/171
http://markbakeruk.net
Looping the
Loop
with
SPL Iterators

More Related Content

PPTX
05 pig user defined functions (udfs)
PDF
Wien15 java8
PDF
FP in Java - Project Lambda and beyond
PPTX
Java 7, 8 & 9 - Moving the language forward
PDF
Java 8 Workshop
PPT
Enumerable
ZIP
Intro to Pig UDF
PDF
Apache PIG - User Defined Functions
05 pig user defined functions (udfs)
Wien15 java8
FP in Java - Project Lambda and beyond
Java 7, 8 & 9 - Moving the language forward
Java 8 Workshop
Enumerable
Intro to Pig UDF
Apache PIG - User Defined Functions

What's hot (20)

PPTX
Scala - where objects and functions meet
PDF
OOP and FP - Become a Better Programmer
PDF
If You Think You Can Stay Away from Functional Programming, You Are Wrong
PDF
SPL to the Rescue - Tek 09
PDF
From object oriented to functional domain modeling
ODP
OpenGurukul : Language : PHP
PPTX
Concurrency, Scalability & Fault-tolerance 2.0 with Akka Actors & STM
PDF
Laziness, trampolines, monoids and other functional amenities: this is not yo...
PPTX
Advanced Python : Decorators
PDF
Creating Lazy stream in CSharp
PPTX
Spl to the Rescue - Zendcon 09
PPT
PDF
Elegant Solutions for Everyday Python Problems Pycon 2018 - Nina Zakharenko
PDF
Elegant Solutions For Everyday Python Problems - PyCon Canada 2017
ODP
Clojure: Practical functional approach on JVM
KEY
(map Clojure everyday-tasks)
PPTX
Python programming
PDF
Don't do this
ODP
ekb.py - Python VS ...
Scala - where objects and functions meet
OOP and FP - Become a Better Programmer
If You Think You Can Stay Away from Functional Programming, You Are Wrong
SPL to the Rescue - Tek 09
From object oriented to functional domain modeling
OpenGurukul : Language : PHP
Concurrency, Scalability & Fault-tolerance 2.0 with Akka Actors & STM
Laziness, trampolines, monoids and other functional amenities: this is not yo...
Advanced Python : Decorators
Creating Lazy stream in CSharp
Spl to the Rescue - Zendcon 09
Elegant Solutions for Everyday Python Problems Pycon 2018 - Nina Zakharenko
Elegant Solutions For Everyday Python Problems - PyCon Canada 2017
Clojure: Practical functional approach on JVM
(map Clojure everyday-tasks)
Python programming
Don't do this
ekb.py - Python VS ...
Ad

Similar to Looping the Loop with SPL Iterators (20)

PPTX
Looping the Loop with SPL Iterators
PPTX
Looping the Loop with SPL Iterators
PDF
SPL: The Missing Link in Development
PPTX
14-Python-Concepts for data science.pptx
PDF
Scala is java8.next()
PPTX
Introducing PHP Latest Updates
PDF
Introduction to new features in java 8
PDF
What is new in java 8 concurrency
PDF
SOLID mit Java 8
PDF
Clojure - A new Lisp
PPTX
PHPneweeeeeeeeeeeeeeeeeeeeeeeeeeeeee.pptx
PDF
Using spl tools in your code
ODP
Best practices tekx
PPT
Class 3 - PHP Functions
PDF
Spl in the wild
PDF
Java 8 - Lambdas and much more
PDF
php AND MYSQL _ppt.pdf
PDF
Php Tutorials for Beginners
PPTX
PHP: GraphQL consistency through code generation
Looping the Loop with SPL Iterators
Looping the Loop with SPL Iterators
SPL: The Missing Link in Development
14-Python-Concepts for data science.pptx
Scala is java8.next()
Introducing PHP Latest Updates
Introduction to new features in java 8
What is new in java 8 concurrency
SOLID mit Java 8
Clojure - A new Lisp
PHPneweeeeeeeeeeeeeeeeeeeeeeeeeeeeee.pptx
Using spl tools in your code
Best practices tekx
Class 3 - PHP Functions
Spl in the wild
Java 8 - Lambdas and much more
php AND MYSQL _ppt.pdf
Php Tutorials for Beginners
PHP: GraphQL consistency through code generation
Ad

More from Mark Baker (20)

PPTX
Deploying Straight to Production
PPTX
Deploying Straight to Production
PPTX
Deploying Straight to Production
PPTX
A Brief History of Elephpants
PPTX
Aspects of love slideshare
PPTX
Does the SPL still have any relevance in the Brave New World of PHP7?
PPTX
A Brief History of ElePHPants
PPTX
Coding Horrors
PPTX
Anonymous classes2
PPTX
Testing the Untestable
PPTX
Anonymous Classes: Behind the Mask
PPTX
Does the SPL still have any relevance in the Brave New World of PHP7?
PPTX
Coding Horrors
PPTX
Does the SPL still have any relevance in the Brave New World of PHP7?
PPTX
Giving birth to an ElePHPant
PPTX
A Functional Guide to Cat Herding with PHP Generators
PPTX
A Functional Guide to Cat Herding with PHP Generators
PPTX
SPL - The Undiscovered Library - PHPBarcelona 2015
PPTX
Zephir - A Wind of Change for writing PHP extensions
PPTX
Flying under the radar
Deploying Straight to Production
Deploying Straight to Production
Deploying Straight to Production
A Brief History of Elephpants
Aspects of love slideshare
Does the SPL still have any relevance in the Brave New World of PHP7?
A Brief History of ElePHPants
Coding Horrors
Anonymous classes2
Testing the Untestable
Anonymous Classes: Behind the Mask
Does the SPL still have any relevance in the Brave New World of PHP7?
Coding Horrors
Does the SPL still have any relevance in the Brave New World of PHP7?
Giving birth to an ElePHPant
A Functional Guide to Cat Herding with PHP Generators
A Functional Guide to Cat Herding with PHP Generators
SPL - The Undiscovered Library - PHPBarcelona 2015
Zephir - A Wind of Change for writing PHP extensions
Flying under the radar

Recently uploaded (20)

PDF
How to Migrate SBCGlobal Email to Yahoo Easily
PDF
AI in Product Development-omnex systems
PDF
EN-Survey-Report-SAP-LeanIX-EA-Insights-2025.pdf
PDF
Navsoft: AI-Powered Business Solutions & Custom Software Development
PDF
Upgrade and Innovation Strategies for SAP ERP Customers
PDF
Design an Analysis of Algorithms I-SECS-1021-03
PDF
T3DD25 TYPO3 Content Blocks - Deep Dive by André Kraus
PDF
Internet Downloader Manager (IDM) Crack 6.42 Build 41
PDF
How to Choose the Right IT Partner for Your Business in Malaysia
PPTX
Agentic AI : A Practical Guide. Undersating, Implementing and Scaling Autono...
PPTX
Introduction to Artificial Intelligence
PDF
System and Network Administraation Chapter 3
PDF
Design an Analysis of Algorithms II-SECS-1021-03
PDF
How Creative Agencies Leverage Project Management Software.pdf
PPTX
Transform Your Business with a Software ERP System
PDF
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
PDF
Which alternative to Crystal Reports is best for small or large businesses.pdf
PPTX
Oracle E-Business Suite: A Comprehensive Guide for Modern Enterprises
PPTX
Essential Infomation Tech presentation.pptx
PDF
Adobe Illustrator 28.6 Crack My Vision of Vector Design
How to Migrate SBCGlobal Email to Yahoo Easily
AI in Product Development-omnex systems
EN-Survey-Report-SAP-LeanIX-EA-Insights-2025.pdf
Navsoft: AI-Powered Business Solutions & Custom Software Development
Upgrade and Innovation Strategies for SAP ERP Customers
Design an Analysis of Algorithms I-SECS-1021-03
T3DD25 TYPO3 Content Blocks - Deep Dive by André Kraus
Internet Downloader Manager (IDM) Crack 6.42 Build 41
How to Choose the Right IT Partner for Your Business in Malaysia
Agentic AI : A Practical Guide. Undersating, Implementing and Scaling Autono...
Introduction to Artificial Intelligence
System and Network Administraation Chapter 3
Design an Analysis of Algorithms II-SECS-1021-03
How Creative Agencies Leverage Project Management Software.pdf
Transform Your Business with a Software ERP System
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
Which alternative to Crystal Reports is best for small or large businesses.pdf
Oracle E-Business Suite: A Comprehensive Guide for Modern Enterprises
Essential Infomation Tech presentation.pptx
Adobe Illustrator 28.6 Crack My Vision of Vector Design

Looping the Loop with SPL Iterators

  • 2. Looping the Loop with SPL Iterators What is an Iterator? An Iterator is an object that enables a programmer to traverse a container, particularly lists. A Behavioural Design Pattern (GoF)
  • 3. Looping the Loop with SPL Iterators What is an Iterator? $dataSet = ['A', 'B', 'C']; foreach($dataSet as $key => $value) { echo "{$key} => {$value}", PHP_EOL; }
  • 4. Looping the Loop with SPL Iterators What is an Iterator? 0 => A 1 => B 2 => C
  • 5. Looping the Loop with SPL Iterators What is an Iterator? $data = ['A', 'B', 'C']; $dataSet = new ArrayIterator($data); foreach($dataSet as $key => $value) { echo "{$key} => {$value}", PHP_EOL; }
  • 6. Looping the Loop with SPL Iterators What is an Iterator? 0 => A 1 => B 2 => C
  • 7. Looping the Loop with SPL Iterators What is an Iterator? interface Iterator extends Traversable { /* Methods */ abstract public current ( void ) : mixed abstract public key ( void ) : scalar abstract public next ( void ) : void abstract public rewind ( void ) : void abstract public valid ( void ) : bool }
  • 8. Looping the Loop with SPL Iterators What is an Iterator? $data = ['A', 'B', 'C']; $iterator = new ArrayIterator($data); $iterator->rewind(); while ($iterator->valid()) { $key = $iterator->key(); $value = $iterator->current(); echo "{$key} => {$value}", PHP_EOL; $iterator->next(); }
  • 9. Looping the Loop with SPL Iterators What is an Iterator? 0 => A 1 => B 2 => C
  • 10. Looping the Loop with SPL Iterators
  • 11. Looping the Loop with SPL Iterators The Iterable Tree iterable array Traversable Iterator Generator IteratorAggregate
  • 12. Looping the Loop with SPL Iterators The Iterable Tree Not all iterables are equal You can count the elements in an array ! Can you count the elements in an Iterator?
  • 13. Looping the Loop with SPL Iterators The Iterable Tree Not all iterables are equal You can access the elements of an array by their index ! Can you access the elements of an Iterator by index ?
  • 14. Looping the Loop with SPL Iterators The Iterable Tree Not all iterables are equal You can rewind an Iterator ! Can you rewind a Generator ?
  • 15. Looping the Loop with SPL Iterators The Iterable Tree Not all iterables are equal Iterator_* functions (e.g. iterator_to_array) work on Iterators ? Can you use iterator_* functions on an IteratorAggregate ?
  • 16. Looping the Loop with SPL Iterators The Iterable Tree iterable array Traversable Iterator Generator IteratorAggregate Iterable is a pseudo-type introduced in PHP 7.1. It accepts any array, or any object that implements the Traversable interface. Both of these types are iterable using foreach.
  • 17. Looping the Loop with SPL Iterators The Iterable Tree iterable array Traversable Iterator Generator IteratorAggregate An array in PHP is an ordered map, a type that associates values to keys. This type is optimized for several different uses; it can be treated as an array, list (vector), hash table (an implementation of a map), dictionary, collection, stack, queue, and more. The foreach control structure exists specifically for arrays.
  • 18. Looping the Loop with SPL Iterators The Iterable Tree iterable array Traversable Iterator Generator IteratorAggregate Abstract base interface to detect if a class is traversable using foreach. It cannot be implemented alone in Userland code; but instead must be implemented through either IteratorAggregate or Iterator. Internal (built-in) classes that implement this interface can be used in a foreach construct and do not need to implement IteratorAggregate or Iterator.
  • 19. Looping the Loop with SPL Iterators The Iterable Tree iterable array Traversable Iterator Generator IteratorAggregate Abstract base interface to detect if a class is traversable using foreach. It cannot be implemented alone in Userland code; but instead must be implemented through either IteratorAggregate or Iterator. PDOStatement DatePeriod SimpleXMLElement
  • 20. Looping the Loop with SPL Iterators The Iterable Tree iterable array Traversable Iterator Generator IteratorAggregate An Interface for external iterators or objects that can be iterated themselves internally. PHP already provides a number of iterators for many day to day tasks within the Standard PHP Library (SPL). SPL Iterators SPL DataStructures WeakMaps (PHP 8)
  • 21. Looping the Loop with SPL Iterators The Iterable Tree iterable array Traversable Iterator Generator IteratorAggregate Generators provide an easy way to implement simple user-defined iterators without the overhead or complexity of implementing a class that implements the Iterator interface. This flexibility does come at a cost, however: generators are forward-only iterators, and cannot be rewound once iteration has started.
  • 22. Looping the Loop with SPL Iterators The Iterable Tree iterable array Traversable Iterator Generator IteratorAggregate IteratorAggregate is a special interface for implementing an abstraction layer between user code and iterators. Implementing an IteratorAggregate will allow you to delegate the work of iteration to a separate class, while still enabling you to use the collection inside a foreach loop.
  • 23. Looping the Loop with SPL Iterators
  • 24. Looping the Loop with SPL Iterators Implementing an Iterator interface Iterator extends Traversable { /* Methods */ abstract public current ( void ) : mixed abstract public key ( void ) : scalar abstract public next ( void ) : void abstract public rewind ( void ) : void abstract public valid ( void ) : bool }
  • 25. Looping the Loop with SPL Iterators Implementing an Iterator class Utf8StringIterator implements Iterator { private $string; private $offset = 0; private $length = 0; public function __construct(string $string) { $this->string = $string; $this->length = iconv_strlen($string); } public function valid(): bool { return $this->offset < $this->length; } ... }
  • 26. Looping the Loop with SPL Iterators Implementing an Iterator class Utf8StringIterator implements Iterator { ... public function rewind(): void { $this->offset = 0; } public function current(): string { return iconv_substr($this->string, $this->offset, 1); } public function key(): int { return $this->offset; } public function next(): void { ++$this->offset; } }
  • 27. Looping the Loop with SPL Iterators Implementing an Iterator $stringIterator = new Utf8StringIterator('Καλησπέρα σε όλους'); foreach($stringIterator as $character) { echo "[{$character}]"; }
  • 28. Looping the Loop with SPL Iterators Implementing an Iterator [Κ][α][λ][η][σ][π][έ][ρ][α][ ][σ][ε][ ][ό][λ][ο][υ][ς]
  • 29. Looping the Loop with SPL Iterators Implementing an Iterator class FileLineIterator implements Iterator { private $fileHandle; private $line = 1; public function __construct(string $fileName) { $this->fileHandle = fopen($fileName, 'r'); } public function __destruct() { fclose($this->fileHandle); } }
  • 30. Looping the Loop with SPL Iterators Implementing an Iterator class FileLineIterator implements Iterator { ... public function current(): string { $fileData = fgets($this->fileHandle); return rtrim($fileData, "n"); } public function key(): int { return $this->line; } public function next(): void { ++$this->line; } }
  • 31. Looping the Loop with SPL Iterators Implementing an Iterator class FileLineIterator implements Iterator { ... public function rewind(): void { fseek($this->fileHandle, 0); $this->line = 1; } public function valid(): bool { return !feof($this->fileHandle); } }
  • 32. Looping the Loop with SPL Iterators Implementing an Iterator $fileLineIterator = new FileLineIterator(__FILE__); foreach($fileLineIterator as $lineNumber => $fileLine) { echo "{$lineNumber}: {$fileLine}", PHP_EOL; }
  • 33. Looping the Loop with SPL Iterators Implementing an Iterator 1: <?php 2: 3: class FileLineIterator implements Iterator { 4: private $fileHandle; 5: private $line = 1; 6: 7: public function __construct(string $fileName) { 8: $this->fileHandle = fopen($fileName, 'r’); 9: } 10: …
  • 34. Looping the Loop with SPL Iterators
  • 35. Looping the Loop with SPL Iterators class UserRepository { // ... public function all(): array { $userQuery = 'SELECT * FROM `users` ...'; $statement = $this->pdo->prepare($userQuery); $statement->execute(); $users = $statement->fetchAll(); return array_map(fn(array $user): User => User::fromArray($user), $users); } }
  • 36. Looping the Loop with SPL Iterators class UserRepository { // ... /** * @return User[] */ public function all(): array { $userQuery = 'SELECT * FROM `users` ...'; $statement = $this->pdo->prepare($userQuery); $statement->execute(); $users = $statement->fetchAll(); return array_map(fn(array $user): User => User::fromArray($user), $users); } }
  • 37. Looping the Loop with SPL Iterators class UserCollection extends ArrayIterator { }
  • 38. Looping the Loop with SPL Iterators class UserRepository { // ... public function all(): UserCollection { $userQuery = 'SELECT * FROM `users` ...'; $statement = $this->pdo->prepare($userQuery); $statement->execute(); $users = $statement->fetchAll(); return new UserCollection( array_map(fn(array $user): User => User::fromArray($user), $users) ); } }
  • 39. Looping the Loop with SPL Iterators class UserCollection extends ArrayIterator { public function current(): User { return User::fromArray(parent::current()); } }
  • 40. Looping the Loop with SPL Iterators class UserRepository { // ... public function all(): UserCollection { $userQuery = 'SELECT * FROM `users` ...'; $statement = $this->pdo->prepare($userQuery); $statement->execute(); $users = $statement->fetchAll(); return new UserCollection($users); } }
  • 41. Looping the Loop with SPL Iterators
  • 42. Looping the Loop with SPL Iterators ArrayIterator Implements: Countable ArrayAccess Serializable SeekableIterator (which entends Iterator)
  • 43. Looping the Loop with SPL Iterators ArrayIterator Implements: Countable
  • 44. Looping the Loop with SPL Iterators ArrayIterator – Countable interface Countable { /* Methods */ abstract public count ( void ) : int }
  • 45. Looping the Loop with SPL Iterators ArrayIterator – Countable $userData = ['user1', 'user2', 'user3', 'user4']; $userList = new UserList($userData); $userCount = count($userList); echo "There are {$userCount} users in this list", PHP_EOL;
  • 46. Looping the Loop with SPL Iterators ArrayIterator – Countable $userData = ['user1', 'user2', 'user3', 'user4']; $userList = new UserList($userData); echo "There are {$userList->count()} users in this list", PHP_EOL;
  • 47. Looping the Loop with SPL Iterators ArrayIterator – Countable There are 4 users in this list
  • 48. Looping the Loop with SPL Iterators ArrayIterator Implements: Countable ArrayAccess
  • 49. Looping the Loop with SPL Iterators ArrayIterator – ArrayAccess interface ArrayAccess { /* Methods */ abstract public offsetExists ( mixed $offset ) : bool abstract public offsetGet ( mixed $offset ) : mixed abstract public offsetSet ( mixed $offset , mixed $value ) : void abstract public offsetUnset ( mixed $offset ) : void }
  • 50. Looping the Loop with SPL Iterators ArrayIterator – ArrayAccess $userData = ['user1', 'user2', 'user3', 'user4']; $userList = new UserList($userData); echo "The 3rd entry in the list is {$userList[2]}", PHP_EOL;
  • 51. Looping the Loop with SPL Iterators ArrayIterator – ArrayAccess The 3rd entry in the list is user3
  • 52. Looping the Loop with SPL Iterators ArrayIterator Implements: Countable ArrayAccess Serializable
  • 53. Looping the Loop with SPL Iterators ArrayIterator – Serializable interface Serializable { /* Methods */ abstract public serialize ( void ) : string abstract public unserialize ( string $serialized ) : void }
  • 54. Looping the Loop with SPL Iterators ArrayIterator – Serializable $userData = ['user1', 'user2', 'user3', 'user4']; $userList = new UserList($userData); var_dump(serialize($userList));
  • 55. Looping the Loop with SPL Iterators ArrayIterator – Serializable string(117) "O:8:"UserList":4:{i:0;i:0;i:1;a:4:{i:0;s:5:"user1"; i:1;s:5:"user2";i:2;s:5:"user3";i:3;s:5:"user4";}i:2; a:0:{}i:3;N;}"
  • 56. Looping the Loop with SPL Iterators ArrayIterator Implements: Countable ArrayAccess Serializable SeekableIterator (which entends Iterator)
  • 57. Looping the Loop with SPL Iterators ArrayIterator – SeekableIterator SeekableIterator extends Iterator { /* Methods */ abstract public seek ( int $position ) : void /* Inherited methods */ abstract public Iterator::current ( void ) : mixed abstract public Iterator::key ( void ) : scalar abstract public Iterator::next ( void ) : void abstract public Iterator::rewind ( void ) : void abstract public Iterator::valid ( void ) : bool }
  • 58. Looping the Loop with SPL Iterators ArrayIterator – SeekableIterator $userData = ['user1', 'user2', 'user3', 'user4']; $userList = new UserList($userData); $userList->seek(2); while ($userList->valid()) { echo $userList->current(), PHP_EOL; $userList->next(); }
  • 59. Looping the Loop with SPL Iterators ArrayIterator – SeekableIterator user3 user4
  • 60. Looping the Loop with SPL Iterators ArrayIterator – SeekableIterator $userData = ['user1', 'user2', 'user3', 'user4']; $userList = new UserList($userData); $userList->seek(2); foreach($userList as $userName) { echo $userName, PHP_EOL; }
  • 61. Looping the Loop with SPL Iterators ArrayIterator – SeekableIterator user1 user2 user3 user4 
  • 62. Looping the Loop with SPL Iterators ArrayIterator – SeekableIterator $userData = ['A' => 'user1', 'B' => 'user2', 'C' => 'user3', 'D' => 'user4']; $userList = new UserList($userData); $userList->seek('C'); while ($userList->valid()) { echo $userList->current(), PHP_EOL; $userList->next(); }
  • 63. Looping the Loop with SPL Iterators ArrayIterator – SeekableIterator PHP7 Warning: ArrayIterator::seek() expects parameter 1 to be int, string given 
  • 64. Looping the Loop with SPL Iterators ArrayIterator – SeekableIterator PHP8 Fatal error: Uncaught TypeError ArrayIterator::seek(): Argument #1 ($position) must be of type int, string given 
  • 65. Looping the Loop with SPL Iterators ArrayIterator Implements: Countable ArrayAccess Serializable SeekableIterator (which entends Iterator) Also provides methods for sorting Doesn’t work with array_* functions
  • 66. Looping the Loop with SPL Iterators
  • 67. Looping the Loop with SPL Iterators
  • 68. Looping the Loop with SPL Iterators LimitIterator $userData = ['user1', 'user2', 'user3', 'user4']; $userList = new LimitIterator( new UserList($userData), 2, 1 ); foreach($userList as $value) { echo $value, PHP_EOL; }
  • 69. Looping the Loop with SPL Iterators LimitIterator user3
  • 70. Looping the Loop with SPL Iterators InfiniteIterator $weekdayNames = ['Sun', 'Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat']; $todayOffset = (int) (new DateTime('2020-09-08'))->format('w'); $weekdayList = new LimitIterator( new InfiniteIterator( new ArrayIterator($weekdayNames) ), $todayOffset, 14 ); foreach($weekdayList as $dayOfWeek) { echo $dayOfWeek, PHP_EOL; }
  • 71. Looping the Loop with SPL Iterators InfiniteIterator Tues Wed Thurs Fri Sat Sun Mon Tues Wed Thurs Fri Sat Sun Mon
  • 72. Looping the Loop with SPL Iterators CallbackFilterIterator $weekdayNames = ['Sun', 'Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat']; $todayOffset = (int) (new DateTime('2020-09-15'))->format('w'); $workdayList = new CallbackFilterIterator( new LimitIterator( new InfiniteIterator( new ArrayIterator($weekdayNames) ), $todayOffset, 14 ), fn($dayName): bool => $dayName !== 'Sat' && $dayName !== 'Sun' ); foreach($workdayList as $dayOfWeek) { echo $dayOfWeek, PHP_EOL; }
  • 73. Looping the Loop with SPL Iterators CallbackFilterIterator Tues Wed Thurs Fri Mon Tues Wed Thurs Fri Mon
  • 74. Looping the Loop with SPL Iterators
  • 75. Looping the Loop with SPL Iterators FilterIterator abstract FilterIterator extends IteratorIterator implements OuterIterator { /* Methods */ public abstract accept ( void ) : bool public __construct ( Iterator $iterator ) public current ( void ) : mixed public getInnerIterator ( void ) : Iterator public key ( void ) : mixed public next ( void ) : void public rewind ( void ) : void public valid ( void ) : bool }
  • 76. Looping the Loop with SPL Iterators FilterIterator class ImageFileIterator extends FilterIterator { // Overwrite the constructor to automagically create an inner iterator // to iterate the file system when given a path name. public function __construct(string $path) { parent::__construct(new FilesystemIterator($path)); } // Overwrite the accept method to perform a super simple test to // determine if the files found were images or not. public function accept(): bool { $fileObject = $this->getInnerIterator()->current(); return preg_match('/^(?:gif|jpe?g|png)$/i', $fileObject->getExtension()); } }
  • 77. Looping the Loop with SPL Iterators FilterIterator class ImageFileIterator extends FilterIterator { // Overwrite the constructor to automagically create an inner iterator // to iterate the file system when given a path name. public function __construct(string $path) { parent::__construct(new FilesystemIterator($path)); } // Overwrite the accept method to perform a super simple test to // determine if the files found were images or not. public function accept(): bool { return preg_match('/^(?:gif|jpe?g|png)$/i', $this->getExtension()); } }
  • 78. Looping the Loop with SPL Iterators FilterIterator $path = dirname(__FILE__); foreach(new ImageFileIterator($path) as $imageObject) { echo $imageObject->getBaseName(), PHP_EOL; }
  • 79. Looping the Loop with SPL Iterators FilterIterator anubis.jpg Carpet.jpg Crazy Newspaper Headlines.jpg elephpant.jpg Pie Chart.jpg PowerOfBooks.jpg Struggling-Team.png TeddyBears.jpg
  • 80. Looping the Loop with SPL Iterators Iterator Keys class ImageFileIterator extends FilterIterator { ... // Overwrite the key method to return the file extension as the key public function key(): string { return $this->getExtension(); } } foreach(new ImageFileIterator($path) as $extension => $imageObject) { echo "{$extension} => {$imageObject->getBaseName()}", PHP_EOL; }
  • 81. Looping the Loop with SPL Iterators Iterator Keys jpg => anubis.jpg jpg => Carpet.jpg jpg => Crazy Newspaper Headlines.jpg jpg => elephpant.jpg jpg => Pie Chart.jpg jpg => PowerOfBooks.jpg png => Struggling-Team.png jpg => TeddyBears.jpg
  • 82. Looping the Loop with SPL Iterators Iterator Keys class ImageFileIterator extends FilterIterator { ... // Overwrite the key method to return the last modified date/time as the key public function key(): DateTime { return DateTime::createFromFormat('U', $this->getMTime()); } } foreach(new ImageFileIterator($path) as $date => $imageObject) { echo "{$date->format('Y-m-d H:i:s')} => {$imageObject->getBaseName()}", PHP_EOL; }
  • 83. Looping the Loop with SPL Iterators Iterator Keys 2012-03-24 00:38:24 => anubis.jpg 2013-01-27 22:32:20 => Carpet.jpg 2013-03-07 12:16:24 => Crazy Newspaper Headlines.jpg 2012-02-16 22:31:56 => elephpant.jpg 2012-10-09 11:51:56 => Pie Chart.jpg 2012-07-17 12:22:32 => PowerOfBooks.jpg 2012-12-30 18:14:24 => Struggling-Team.png 2012-01-31 11:17:32 => TeddyBears.jpg
  • 84. Looping the Loop with SPL Iterators
  • 85. Looping the Loop with SPL Iterators MultipleIterator $dates = ['Q1-2019', 'Q2-2019', 'Q3-2019', 'Q4-2019']; $budget = [1200, 1300, 1400, 1500]; $expenditure = [1250, 1315, 1440, 1485]; $budgetElements = count($budget); for ($i = 0; $i < $budgetElements; $i++) { echo "{$dates[$i]} - {$budget[$i]}, {$expenditure[$i]}", PHP_EOL; }
  • 86. Looping the Loop with SPL Iterators MultipleIterator $dates = ['Q1-2019', 'Q2-2019', 'Q3-2019', 'Q4-2019']; $budget = [1200, 1300, 1400, 1500]; $expenditure = [1250, 1315, 1440, 1485]; foreach($dates as $key => $period) { echo "{$period} - {$budget[$key]}, {$expenditure[$key]}", PHP_EOL; }
  • 87. Looping the Loop with SPL Iterators MultipleIterator Q1-2019 - 1200, 1250 Q2-2019 - 1300, 1315 Q3-2019 - 1400, 1440 Q4-2019 - 1500, 1485
  • 88. Looping the Loop with SPL Iterators MultipleIterator function wrapArrayAsIterator(array $array) { return new ArrayIterator($array); } $combinedIterable = new MultipleIterator(MultipleIterator::MIT_KEYS_ASSOC); $combinedIterable->attachIterator(wrapArrayAsIterator($dates), 'date'); $combinedIterable->attachIterator(wrapArrayAsIterator($budget), 'budget'); $combinedIterable->attachIterator(wrapArrayAsIterator($expenditure), 'expenditure');
  • 89. Looping the Loop with SPL Iterators MultipleIterator foreach($combinedIterable as $dateValues) { echo $dateValues['date'], " - {$dateValues['budget']}, {$dateValues['expenditure']}", PHP_EOL; }
  • 90. Looping the Loop with SPL Iterators MultipleIterator foreach($combinedIterable as $dateValues) { [$date, $budget, $expenditure] = $dateValues; echo "{$date} - {$budget}, {$expenditure}", PHP_EOL; }
  • 91. Looping the Loop with SPL Iterators MultipleIterator Q1-2019 - 1200, 1250 Q2-2019 - 1300, 1315 Q3-2019 - 1400, 1440 Q4-2019 - 1500, 1485
  • 92. Looping the Loop with SPL Iterators MultipleIterator function wrapArrayAsIterator(array $array) { return new ArrayIterator($array); } $combinedIterable = new MultipleIterator(MultipleIterator::MIT_KEYS_ASSOC); $combinedIterable->attachIterator(wrapArrayAsIterator($dates), 'date'); $combinedIterable->attachIterator(wrapArrayAsIterator($budget), 'budget'); $combinedIterable->attachIterator(wrapArrayAsIterator($expenditure), 'expenditure');
  • 93. Looping the Loop with SPL Iterators MultipleIterator foreach($combinedIterable as $dateValues) { extract($dateValues); echo "{$date} - {$budget}, {$expenditure}", PHP_EOL; }
  • 94. Looping the Loop with SPL Iterators MultipleIterator Q1-2019 - 1200, 1250 Q2-2019 - 1300, 1315 Q3-2019 - 1400, 1440 Q4-2019 - 1500, 1485
  • 95. Looping the Loop with SPL Iterators MultipleIterator $allocations = $totalAdvance->allocateTo(count($cars)); foreach ($cars as $i => $car) { $car->setAdvance($allocations[$i]); }
  • 96. Looping the Loop with SPL Iterators MultipleIterator $allocations = $totalAdvance->allocateTo(count($cars)); $advanceAllocations = new MultipleIterator(MultipleIterator::MIT_KEYS_ASSOC); $advanceAllocations->attachIterator(ArrayIterator($cars), 'car'); $advanceAllocations->attachIterator(ArrayIterator($allocations), 'advance'); foreach($advanceAllocations as $advanceAllocation) { extract($advanceAllocation); $car->setAdvance($advance); }
  • 97. Looping the Loop with SPL Iterators
  • 98. Looping the Loop with SPL Iterators Inner and Outer Iterators Inner Iterator Implements Iterator, or extends a class that implements Iterator ArrayIterator SeekableIterator FilesystemIterator MultipleIterator
  • 99. Looping the Loop with SPL Iterators Inner and Outer Iterators Outer Iterator Implements OuterIterator, or extends an Iterator that already implements OuterIterator LimitIterator InfiniteIterator FilterIterator CallbackFilterIterator
  • 100. Looping the Loop with SPL Iterators Recursive Iterators A RecursiveIterator defines methods to allow iteration over hierarchical data structures. Nested Arrays (and Objects if using ArrayAccess) Filesystem Directories/Folders
  • 101. Looping the Loop with SPL Iterators
  • 102. Looping the Loop with SPL Iterators class UserRepository { // ... public function all(): UserCollection { $userQuery = 'SELECT * FROM `users` ...'; $statement = $this->pdo->prepare($userQuery); $statement->execute(); $users = $statement->fetchAll(); return new UserCollection( array_map(fn(array $user): User => User::fromArray($user), $users) ); } }
  • 103. Looping the Loop with SPL Iterators class UserRepository { // ... public function all(): Generator { $userQuery = 'SELECT * FROM `users` ...'; $statement = $this->pdo->prepare($userQuery); $statement->execute(); while ($user = $statement->fetch()) { yield User::fromArray($user); } } }
  • 104. Looping the Loop with SPL Iterators class UserRepository { // ... /** * @return Generator|User[] */ public function all(): Generator { $userQuery = 'SELECT * FROM `users` ...'; $statement = $this->pdo->prepare($userQuery); $statement->execute(); while ($user = $statement->fetch()) { yield User::fromArray($user); } } }
  • 105. Looping the Loop with SPL Iterators IteratorAggregate IteratorAggregate extends Traversable { /* Methods */ abstract public getIterator ( void ) : Traversable }
  • 106. Looping the Loop with SPL Iterators class UserCollection implements IteratorAggregate { private PDOStatement $pdoStatement; public function __construct(PDOStatement $pdoStatement) { $this->pdoStatement = $pdoStatement; } public function getIterator(): Traversable { $this->pdoStatement->execute(); while ($user = $this->pdoStatement->fetch()) { yield User::fromArray($user); } } }
  • 107. Looping the Loop with SPL Iterators class UserRepository { // ... public function all(): UserCollection { $userQuery = 'SELECT * FROM `users` ...'; $statement = $this->pdo->prepare($userQuery); return new UserCollection($statement); } }
  • 108. Looping the Loop with SPL Iterators Implementing a Fluent Nested Iterator $weekdayNames = ['Sun', 'Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat']; $todayOffset = (int) (new DateTime('2020-09-15'))->format('w'); $workdayList = new CallbackFilterIterator( new LimitIterator( new InfiniteIterator( new ArrayIterator($weekdayNames) ), $todayOffset, 14 ), fn($dayName): bool => $dayName !== 'Sat' && $dayName !== 'Sun' ); foreach($workdayList as $dayOfWeek) { echo $dayOfWeek, PHP_EOL; }
  • 109. Looping the Loop with SPL Iterators Implementing a Fluent Nested Iterator class FluentNestedIterator implements IteratorAggregate { protected iterable $iterator; public function __construct(iterable $iterator) { $this->iterator = $iterator; } public function with(string $iterable, ...$args): self { $this->iterator = new $iterable($this->iterator, ...$args); return $this; } public function getIterator() { return $this->iterator; } }
  • 110. Looping the Loop with SPL Iterators Implementing a Fluent Nested Iterator $weekdayNames = ['Sun', 'Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat']; $todayOffset = (int) (new DateTime('2020-10-08'))->format('w'); $workdayList = (new FluentNestedIterator(new ArrayIterator($weekdayNames))) ->with(InfiniteIterator::class) ->with(LimitIterator::class, $todayOffset, 14) ->with( CallbackFilterIterator::class, fn($dayName): bool => $dayName !== 'Sat' && $dayName !== 'Sun' ); foreach($workdayList as $dayOfWeek) { echo $dayOfWeek, PHP_EOL; }
  • 111. Looping the Loop with SPL Iterators Implementing a Fluent Nested Iterator Thurs Fri Mon Tues Wed Thurs Fri Mon Tues Wed
  • 112. Looping the Loop with SPL Iterators
  • 113. Looping the Loop with SPL Iterators Array Functions Don’t work with Traversables
  • 114. Looping the Loop with SPL Iterators Array Functions Don’t work with Traversables
  • 115. Looping the Loop with SPL Iterators Array Functions – Filter function filter(iterable $iterator, Callable $callback = null) { if ($callback === null) { $callback = 'iterableFilterNotEmpty'; } foreach ($iterator as $key => $value) { if ($callback($value)) { yield $key => $value; } } }
  • 116. Looping the Loop with SPL Iterators Array Functions – Filter $startTime = new DateTime('2015-11-23 13:20:00Z'); $endTime = new DateTime('2015-11-23 13:30:00Z'); $timeFilter = function($timestamp) use ($startTime, $endTime) { return $timestamp >= $startTime && $timestamp <= $endTime; }; $filteredTrackingData = filter( $gpxReader->getElements('trkpt'), $timeFilter, ARRAY_FILTER_USE_KEY ); foreach ($filteredTrackingData as $time => $element) { ... }
  • 117. Looping the Loop with SPL Iterators Array Functions – Filter 2015-11-23 13:24:40 latitude: 53.5441 longitude: -2.7416 elevation: 124 2015-11-23 13:24:49 latitude: 53.5441 longitude: -2.7416 elevation: 122 2015-11-23 13:24:59 latitude: 53.5441 longitude: -2.7416 elevation: 120 2015-11-23 13:25:09 latitude: 53.5441 longitude: -2.7417 elevation: 120 2015-11-23 13:25:19 latitude: 53.5441 longitude: -2.7417 elevation: 121 2015-11-23 13:25:29 latitude: 53.5441 longitude: -2.7417 elevation: 120 2015-11-23 13:25:39 latitude: 53.5441 longitude: -2.7417 elevation: 120
  • 118. Looping the Loop with SPL Iterators Array Functions – Filter Of course, we could always use a CallBackFilterIterator
  • 119. Looping the Loop with SPL Iterators Array Functions – Map function map(Callable $callback, iterable $iterator) { foreach ($iterator as $key => $value) { yield $key => $callback($value); } }
  • 120. Looping the Loop with SPL Iterators Array Functions – Map $distanceCalculator = new GpxReaderHelpersDistanceCalculator(); $mappedTrackingData = map( [$distanceCalculator, 'setDistanceProperty'], $gpxReader->getElements('trkpt') ); foreach ($mappedTrackingData as $time => $element) { ... }
  • 121. Looping the Loop with SPL Iterators Array Functions – Map 2015-11-23 14:57:07 latitude: 53.5437 longitude: -2.7424 elevation: 103 distance from previous point: 6.93 m 2015-11-23 14:57:17 latitude: 53.5437 longitude: -2.7424 elevation: 100 distance from previous point: 1.78 m 2015-11-23 14:57:27 latitude: 53.5438 longitude: -2.7425 elevation: 89 distance from previous point: 11.21 m 2015-11-23 14:57:37 latitude: 53.5439 longitude: -2.7424 elevation: 83 distance from previous point: 9.23 m 2015-11-23 14:57:47 latitude: 53.5439 longitude: -2.7425 elevation: 92 distance from previous point: 5.40 m
  • 122. Looping the Loop with SPL Iterators Array Functions – Walk iterator_apply() iterator_apply( Traversable $iterator, Callable $callback [, array $args = NULL ] ) : int
  • 123. Looping the Loop with SPL Iterators Array Functions – Reduce function reduce(iterable $iterator, Callable $callback, $initial = null) { $result = $initial; foreach($iterator as $value) { $result = $callback($result, $value); } return $result; }
  • 124. Looping the Loop with SPL Iterators Array Functions – Reduce $distanceCalculator = new GpxReaderHelpersDistanceCalculator(); $totalDistance = reduce( map( [$distanceCalculator, 'setDistanceProperty'], $gpxReader->getElements('trkpt') ), function($runningTotal, $value) { return $runningTotal + $value->distance; }, 0.0 );
  • 125. Looping the Loop with SPL Iterators Array Functions – Reduce Total distance travelled is 4.33 km
  • 126. Looping the Loop with SPL Iterators Array Functions – Other Iterator Functions Iterator_count() iterator_count ( Traversable $iterator ) : int
  • 127. Looping the Loop with SPL Iterators Array Functions – Other Iterator Functions Iterator_to_array() iterator_to_array ( Traversable $iterator [, bool $use_keys = TRUE ] ) : array
  • 128. Looping the Loop with SPL Iterators
  • 129. Looping the Loop with SPL Iterators A Functional Guide to Cat Herding with PHP Generators • https://markbakeruk.net/2016/01/19/a-functional-guide-to-cat-herding-with-php-generators/ • https://markbakeruk.net/2020/01/05/filtering-and-mapping-with-spl-iterators/ • https://markbakeruk.net/2019/12/31/parallel-looping-in-php-with-spls-multipleiterator/
  • 130. Looping the Loop with SPL Iterators Iterating PHP Iterators By Cal Evans https://leanpub.com/iteratingphpiterators by Joshua Thijssen https://www.phparch.com/books/mastering-the-spl-library/
  • 131. Who am I? Mark Baker Most Recently: Senior Software Engineer MessageBird BV, Amsterdam Coordinator and Developer of: Open Source PHPOffice library PHPExcel, PHPWord, PHPPowerPoint, PHPProject, PHPVisio Minor contributor to PHP core (SPL DataStructures) Other small open source libraries available on github @Mark_Baker https://github.com/MarkBaker http://uk.linkedin.com/pub/mark-baker/b/572/171 http://markbakeruk.net Looping the Loop with SPL Iterators