PHP Classes

PHP Iteration Tools Library: Iterate and process arrays like Python itertools

Recommend this page to a friend!
  Info   View files Documentation   View files View files (155)   DownloadInstall with Composer Download .zip   Reputation   Support forum   Blog (1)    
Ratings Unique User Downloads Download Rankings
Not yet rated by the usersTotal: 59 This week: 1All time: 10,473 This week: 560Up
Version License PHP version Categories
itertools-php 1.0.0MIT/X Consortium ...7.4Algorithms, Tools, Libraries, Data types, P...
Description 

Authors

Mark Rogoyski
Smoren


Contributor

This package can iterate and process arrays and other iterable types like Python itertools.

It provides base iterator classes that can traverse arrays in several ways to let applications process the array values individually.

The package provides tool classes to perform several operations on the iterable values.

- File
- Infinite
- Math
- Multi
- Random
- Reduce
- Set
- Single
- Sort
- Stream
- Summary
- Transform

Innovation Award
PHP Programming Innovation award nominee
February 2023
Number 2
Iteration is a way to execute the same operation on a set of values.

In PHP, developers can iterate over the values of the characters of a string, elements of an array, or objects of classes that can act as if they were arrays and provide an iterable interface.

The iteration method that defines how the values are traversed and processed can be customized with new iterable classes that PHP developers can write.

The package provides a new set of classes that can iterate over the values that will be traversed.

Manuel Lemos
Picture of Smoren  Freelight
  Performance   Level  
Name: Smoren Freelight <contact>
Classes: 36 packages by
Country: Russian Federation Russian Federation
Age: 34
All time rank: 290279 in Russian Federation Russian Federation
Week rank: 33 Up2 in Russian Federation Russian Federation Up
Innovation award
Innovation award
Nominee: 15x

Documentation

MathPHP Logo

IterTools - PHP Iteration Tools to Power Up Your Loops

Inspired by Python?designed for PHP.

Coverage Status License

Features

IterTools makes you an iteration superstar by providing two types of tools:

  • Loop iteration tools
  • Stream iteration tools

Loop Iteration Tools Example

foreach (Multi::zip(['a', 'b'], [1, 2]) as [$letter, $number]) {
    print($letter . $number);  // a1, b2
}

Stream Iteration Tools Example

$result = Stream::of([1, 1, 2, 2, 3, 4, 5])
    ->distinct()                 // [1, 2, 3, 4, 5]
    ->map(fn ($x) => $x2)      // [1, 4, 9, 16, 25]
    ->filter(fn ($x) => $x < 10) // [1, 4, 9]
    ->toSum();                   // 14

All functions work on iterable collections: * array (type) * Generator (type) * Iterator (interface) * Traversable (interface)

README docs translated in other languages:

Quick Reference

Loop Iteration Tools

Multi Iteration

| Iterator | Description | Code Snippet | |-----------------------------|-----------------------------------------------------------------------------------------|-------------------------------------| | chain | Chain multiple iterables together | Multi::chain($list1, $list2) | | zip | Iterate multiple collections simultaneously until the shortest iterator completes | Multi::zip($list1, $list2) | | zipEqual | Iterate multiple collections of equal length simultaneously, error if lengths not equal | Multi::zipEqual($list1, $list2) | | zipLongest | Iterate multiple collections simultaneously until the longest iterator completes | Multi::zipLongest($list1, $list2) |

Single Iteration

| Iterator | Description | Code Snippet | |------------------------------------------------|----------------------------------------------|-------------------------------------------------------------| | chunkwise | Iterate by chunks | Single::chunkwise($data, $chunkSize) | | chunkwiseOverlap | Iterate by overlapped chunks | Single::chunkwiseOverlap($data, $chunkSize, $overlapSize) | | compress | Filter out elements not selected | Single::compress($data, $selectors) | | compressAssociative | Filter out elements by keys not selected | Single::compressAssociative($data, $selectorKeys) | | dropWhile | Drop elements while predicate is true | Single::dropWhile($data, $predicate) | | filter | Filter for elements where predicate is true | Single::filterTrue($data, $predicate) | | filterTrue | Filter for truthy elements | Single::filterTrue($data) | | filterFalse | Filter for falsy elements | Single::filterFalse($data) | | filterKeys | Filter for keys where predicate is true | Single::filterKeys($data, $predicate) | | flatMap | Map function onto items and flatten result | Single::flaMap($data, $mapper) | | flatten | Flatten multidimensional iterable | Single::flatten($data, [$dimensions]) | | groupBy | Group data by a common element | Single::groupBy($data, $groupKeyFunction, [$itemKeyFunc]) | | limit | Iterate up to a limit | Single::limit($data, $limit) | | map | Map function onto each item | Single::map($data, $function) | | pairwise | Iterate successive overlapping pairs | Single::pairwise($data) | | reindex | Reindex keys of key-value iterable | Single::reindex($data, $reindexer) | | repeat | Repeat an item a number of times | Single::repeat($item, $repetitions) | | reverse | Iterate elements in reverse order | Single::reverse($data) | | slice | Extract a slice of the iterable | Single::slice($data, [$start], [$count], [$step]) | | string | Iterate the characters of a string | Single::string($string) | | takeWhile | Iterate elements while predicate is true | Single::takeWhile($data, $predicate) |

Infinite Iteration

| Iterator | Description | Code Snippet | |------------------------------|----------------------------|----------------------------------| | count | Count sequentially forever | Infinite::count($start, $step) | | cycle | Cycle through a collection | Infinite::cycle($collection) | | repeat | Repeat an item forever | Infinite::repeat($item) |

Random Iteration

| Iterator | Description | Code Snippet | |-------------------------------------------|-----------------------------------|--------------------------------------------| | choice | Random selections from list | Random::choice($list, $repetitions) | | coinFlip | Random coin flips (0 or 1) | Random::coinFlip($repetitions) | | number | Random numbers | Random::number($min, $max, $repetitions) | | percentage | Random percentage between 0 and 1 | Random::percentage($repetitions) | | rockPaperScissors | Random rock-paper-scissors hands | Random::rockPaperScissors($repetitions) |

Math Iteration

| Iterator | Description | Code Snippet | |--------------------------------------------|---------------------------------|----------------------------------------------------| | runningAverage | Running average accumulation | Math::runningAverage($numbers, $initialValue) | | runningDifference | Running difference accumulation | Math::runningDifference($numbers, $initialValue) | | runningMax | Running maximum accumulation | Math::runningMax($numbers, $initialValue) | | runningMin | Running minimum accumulation | Math::runningMin($numbers, $initialValue) | | runningProduct | Running product accumulation | Math::runningProduct($numbers, $initialValue) | | runningTotal | Running total accumulation | Math::runningTotal($numbers, $initialValue) |

Set and multiset Iteration

| Iterator | Description | Code Snippet | |-----------------------------------------------------------------|-----------------------------------------------------------|--------------------------------------------------------------| | distinct | Iterate only distinct items | Set::distinct($data) | | intersection | Intersection of iterables | Set::intersection(...$iterables) | | intersectionCoercive | Intersection with type coercion | Set::intersectionCoercive(...$iterables) | | partialIntersection | Partial intersection of iterables | Set::partialIntersection($minCount, ...$iterables) | | partialIntersectionCoercive | Partial intersection with type coercion | Set::partialIntersectionCoercive($minCount, ...$iterables) | | symmetricDifference | Symmetric difference of iterables | Set::symmetricDifference(...$iterables) | | symmetricDifferenceCoercive | Symmetric difference with type coercion | Set::symmetricDifferenceCoercive(...$iterables) |

Sort Iteration

| Iterator | Description | Code Snippet | |------------------------------------------------|----------------------------------------------|-----------------------------------------------------------| | asort | Iterate a sorted collection maintaining keys | Sort::asort($data, [$comparator]) | | sort | Iterate a sorted collection | Sort::sort($data, [$comparator]) |

File Iteration

| Iterator | Description | Code Snippet | |-----------------------------------------------------------------|-----------------------------------------------------------|--------------------------------------------------------------| | readCsv | Intersection a CSV file line by line | File::readCsv($fileHandle) | | readLines | Iterate a file line by line | File::readLines($fileHandle) |

Transform Iteration

| Iterator | Description | Code Snippet | |------------------------------------------------|----------------------------------------------|-------------------------------------------------------------------| | tee | Iterate duplicate iterators | Transform::tee($data, $count) | | toArray | Transform iterable to an array | Transform::toArray($data) | | toAssociativeArray | Transform iterable to an associative array | Transform::toAssociativeArray($data, [$keyFunc], [$valueFunc]) | | toIterator | Transform iterable to an iterator | Transform::toIterator($data) |

Summary

| Summary | Description | Code Snippet | |---------------------------------------------------------|--------------------------------------------------------------------------|---------------------------------------------------| | allMatch | True if all items are true according to predicate | Summary::allMatch($data, $predicate) | | anyMatch | True if any item is true according to predicate | Summary::anyMatch($data, $predicate) | | arePermutations | True if iterables are permutations of each other | Summary::arePermutations(...$iterables) | | arePermutationsCoercive | True if iterables are permutations of each other with type coercion | Summary::arePermutationsCoercive(...$iterables) | | exactlyN | True if exactly n items are true according to predicate | Summary::exactlyN($data, $n, $predicate) | | isPartitioned | True if partitioned with items true according to predicate before others | Summary::isPartitioned($data, $predicate) | | isSorted | True if iterable sorted | Summary::isSorted($data) | | isReversed | True if iterable reverse sorted | Summary::isReversed($data) | | noneMatch | True if none of items true according to predicate | Summary::noneMatch($data, $predicate) | | same | True if iterables are the same | Summary::same(...$iterables) | | sameCount | True if iterables have the same lengths | Summary::sameCount(...$iterables) |

Reduce

| Reducer | Description | Code Snippet | |----------------------------------------|--------------------------------------------|---------------------------------------------------------------| | toAverage | Mean average of elements | Reduce::toAverage($numbers) | | toCount | Reduce to length of iterable | Reduce::toCount($data) | | toFirst | Reduce to its first value | Reduce::toFirst($data) | | toFirstAndLast | Reduce to its first and last values | Reduce::toFirstAndLast($data) | | toLast | Reduce to its last value | Reduce::toLast() | | toMax | Reduce to its largest element | Reduce::toMax($numbers, [$compareBy]) | | toMin | Reduce to its smallest element | Reduce::toMin($numbers, [$compareBy]) | | toMinMax | Reduce to array of upper and lower bounds | Reduce::toMinMax($numbers, [$compareBy]) | | toProduct | Reduce to the product of its elements | Reduce::toProduct($numbers) | | toRange | Reduce to difference of max and min values | Reduce::toRange($numbers) | | toString | Reduce to joined string | Reduce::toString($data, [$separator], [$prefix], [$suffix]) | | toSum | Reduce to the sum of its elements | Reduce::toSum($numbers) | | toValue | Reduce to value using callable reducer | Reduce::toValue($data, $reducer, $initialValue) |

Stream Iteration Tools

Stream Sources

| Source | Description | Code Snippet | |--------------------------------------------------|-----------------------------------------------------------------|-----------------------------------------------------| | of | Create a stream from an iterable | Stream::of($iterable) | | ofCoinFlips | Create a stream of random coin flips | Stream::ofCoinFlips($repetitions) | | ofCsvFile | Create a stream from a CSV file | Stream::ofCsvFile($fileHandle) | | ofEmpty | Create an empty stream | Stream::ofEmpty() | | ofFileLines | Create a stream from lines of a file | Stream::ofFileLines($fileHandle) | | ofRandomChoice | Create a stream of random selections | Stream::ofRandomChoice($items, $repetitions) | | ofRandomNumbers | Create a stream of random numbers (integers) | Stream::ofRandomNumbers($min, $max, $repetitions) | | ofRandomPercentage | Create a stream of random percentages between 0 and 1 | Stream::ofRandomPercentage($repetitions) | | ofRange | Create a stream of a range of numbers | Stream::ofRange($start, $end, $step) | | ofRockPaperScissors | Create a stream of rock-paper-scissors hands | Stream::ofRockPaperScissors($repetitions) |

Stream Operations

| Operation | Description | Code Snippet | |---------------------------------------------------------------------------|-------------------------------------------------------------------------------------------|-----------------------------------------------------------------------------------| | asort | Sorts the iterable source maintaining keys | $stream->asort([$comparator]) | | chainWith | Chain iterable source withs given iterables together into a single iteration | $stream->chainWith(...$iterables) | | compress | Compress source by filtering out data not selected | $stream->compress($selectors) | | compressAssociative | Compress source by filtering out keys not selected | $stream->compressAssociative($selectorKeys) | | chunkwise | Iterate by chunks | $stream->chunkwise($chunkSize) | | chunkwiseOverlap | Iterate by overlapped chunks | $stream->chunkwiseOverlap($chunkSize, $overlap) | | distinct | Filter out elements: iterate only unique items | $stream->distinct($strict) | | dropWhile | Drop elements from the iterable source while the predicate function is true | $stream->dropWhile($predicate) | | filter | Filter for only elements where the predicate function is true | $stream->filterTrue($predicate) | | filterTrue | Filter for only truthy elements | $stream->filterTrue() | | filterFalse | Filter for only falsy elements | $stream->filterFalse() | | filterKeys | Filter for keys where predicate function is true | $stream->filterKeys($predicate) | | flatMap | Map function onto elements and flatten result | $stream->flatMap($function) | | flatten | Flatten multidimensional stream | $stream->flatten($dimensions) | | groupBy | Group iterable source by a common data element | $stream->groupBy($groupKeyFunction, [$itemKeyFunc]) | | infiniteCycle | Cycle through the elements of iterable source sequentially forever | $stream->infiniteCycle() | | intersectionWith | Intersect iterable source and given iterables | $stream->intersectionWith(...$iterables) | | intersection CoerciveWith | Intersect iterable source and given iterables with type coercion | $stream->intersectionCoerciveWith(...$iterables) | | limit | Limit the stream's iteration | $stream->limit($limit) | | map | Map function onto elements | $stream->map($function) | | pairwise | Return pairs of elements from iterable source | $stream->pairwise() | | partialIntersectionWith | Partially intersect iterable source and given iterables | $stream->partialIntersectionWith( $minIntersectionCount, ...$iterables) | | partialIntersection CoerciveWith | Partially intersect iterable source and given iterables with type coercion | $stream->partialIntersectionCoerciveWith( $minIntersectionCount, ...$iterables) | | reindex | Reindex keys of key-value stream | $stream->reindex($reindexer) | | reverse | Reverse elements of the stream | $stream->reverse() | | runningAverage | Accumulate the running average (mean) over iterable source | $stream->runningAverage($initialValue) | | runningDifference | Accumulate the running difference over iterable source | $stream->runningDifference($initialValue) | | runningMax | Accumulate the running max over iterable source | $stream->runningMax($initialValue) | | runningMin | Accumulate the running min over iterable source | $stream->runningMin($initialValue) | | runningProduct | Accumulate the running product over iterable source | $stream->runningProduct($initialValue) | | runningTotal | Accumulate the running total over iterable source | $stream->runningTotal($initialValue) | | slice | Extract a slice of the stream | $stream->slice([start], [$count], [step]) | | sort | Sorts the stream | $stream->sort([$comparator]) | | symmetricDifferenceWith | Symmetric difference of iterable source and given iterables | $this->symmetricDifferenceWith(...$iterables) | | symmetricDifference CoerciveWith | Symmetric difference of iterable source and given iterables with type coercion | $this->symmetricDifferenceCoerciveWith( ...$iterables) | | takeWhile | Return elements from the iterable source as long as the predicate is true | $stream->takeWhile($predicate) | | zipWith | Iterate iterable source with another iterable collections simultaneously | $stream->zipWith(...$iterables) | | zipLongestWith | Iterate iterable source with another iterable collections simultaneously | $stream->zipLongestWith(...$iterables) | | zipEqualWith | Iterate iterable source with another iterable collections of equal lengths simultaneously | $stream->zipEqualWith(...$iterables) |

Stream Terminal Operations

Summary Terminal Operations

| Terminal Operation | Description | Code Snippet | |------------------------------------------------------------------|----------------------------------------------------------------------------------|--------------------------------------------------------| | allMatch | Returns true if all items in stream match predicate | $stream->allMatch($predicate) | | anyMatch | Returns true if any item in stream matches predicate | $stream->anyMatch($predicate) | | arePermutationsWith | Returns true if all iterables permutations of stream | $stream->arePermutationsWith(...$iterables) | | arePermutationsCoerciveWith | Returns true if all iterables permutations of stream with type coercion | $stream->arePermutationsCoerciveWith(...$iterables) | | exactlyN | Returns true if exactly n items are true according to predicate | $stream->exactlyN($n, $predicate) | | isPartitioned | Returns true if partitioned with items true according to predicate before others | $stream::isPartitioned($predicate) | | isSorted | Returns true if stream is sorted in ascending order | $stream->isSorted() | | isReversed | Returns true if stream is sorted in reverse descending order | $stream->isReversed() | | noneMatch | Returns true if none of the items in stream match predicate | $stream->noneMatch($predicate) | | sameWith | Returns true if stream and all given collections are the same | $stream->sameWith(...$iterables) | | sameCountWith | Returns true if stream and all given collections have the same lengths | $stream->sameCountWith(...$iterables) |

Reduction Terminal Operations

| Terminal Operation | Description | Code Snippet | |------------------------------------------|----------------------------------------------------|---------------------------------------------------------| | toAverage | Reduces stream to the mean average of its items | $stream->toAverage() | | toCount | Reduces stream to its length | $stream->toCount() | | toFirst | Reduces stream to its first value | $stream->toFirst() | | toFirstAndLast | Reduces stream to its first and last values | $stream->toFirstAndLast() | | toLast | Reduces stream to its last value | $stream->toLast() | | toMax | Reduces stream to its max value | $stream->toMax([$compareBy]) | | toMin | Reduces stream to its min value | $stream->toMin([$compareBy]) | | toMinMax | Reduces stream to array of upper and lower bounds | $stream->toMinMax([$compareBy]) | | toProduct | Reduces stream to the product of its items | $stream->toProduct() | | toString | Reduces stream to joined string | $stream->toString([$separator], [$prefix], [$suffix]) | | toSum | Reduces stream to the sum of its items | $stream->toSum() | | toRange | Reduces stream to difference of max and min values | $stream->toRange() | | toValue | Reduces stream like array_reduce() function | $stream->toValue($reducer, $initialValue) |

Transformation Terminal Operations

| Terminal Operation | Description | Code Snippet | |-------------------------------------------------|-------------------------------------------------------|---------------------------------------------------------| | toArray | Returns array of stream elements | $stream->toArray() | | toAssociativeArray | Returns key-value map of stream elements | $stream->toAssociativeArray($keyFunc, $valueFunc) | | tee | Returns array of multiple identical Streams | $stream->tee($count) |

Side Effect Terminal Operations

| Terminal Operation | Description | Code Snippet | |---------------------------------|------------------------------------------------|-------------------------------------------------------| | callForEach | Perform action via function on each item | $stream->callForEach($function) | | print | print each item in the stream | $stream->print([$separator], [$prefix], [$suffix]) | | printLn | print each item on a new line | $stream->printLn() | | printR | print_r each item | $stream->printR() | | toCsvFile | Write the contents of the stream to a CSV file | $stream->toCsvFile($fileHandle, [$headers]) | | toFile | Write the contents of the stream to a file | $stream->toFile($fileHandle) | | var_dump | var_dump each item | $stream->varDump() |

Setup

Add the library to your composer.json file in your project:

{
  "require": {
      "markrogoyski/itertools-php": "1.*"
  }
}

Use composer to install the library:

$ php composer.phar install

Composer will install IterTools inside your vendor folder. Then you can add the following to your .php files to use the library with Autoloading.

require_once __DIR__ . '/vendor/autoload.php';

Alternatively, use composer on the command line to require and install IterTools:

$ php composer.phar require markrogoyski/itertools-php:1.*

Minimum Requirements

* PHP 7.4

Usage

All functions work on iterable collections: * array (type) * Generator (type) * Iterator (interface) * Traversable (interface)

Multi Iteration

Chain

Chain multiple iterables together into a single continuous sequence.

use IterTools\Multi;

$prequels = ['Phantom Menace', 'Attack of the Clones', 'Revenge of the Sith']; $originals = ['A New Hope', 'Empire Strikes Back', 'Return of the Jedi'];

foreach (Multi::chain($prequels, $originals) as $movie) {

print($movie);

} // 'Phantom Menace', 'Attack of the Clones', 'Revenge of the Sith', 'A New Hope', 'Empire Strikes Back', 'Return of the Jedi'


### Zip
Iterate multiple iterable collections simultaneously.

use IterTools\Multi;

$languages = ['PHP', 'Python', 'Java', 'Go'];
$mascots   = ['elephant', 'snake', 'bean', 'gopher'];

foreach (Multi::zip($languages, $mascots) as [$language, $mascot]) {
    print("The {$language} language mascot is an {$mascot}.");
}
// The PHP language mascot is an elephant.
// ...

Zip works with multiple iterable inputs--not limited to just two.

$names          = ['Ryu', 'Ken', 'Chun Li', 'Guile'];
$countries      = ['Japan', 'USA', 'China', 'USA'];
$signatureMoves = ['hadouken', 'shoryuken', 'spinning bird kick', 'sonic boom'];

foreach (Multi::zip($names, $countries, $signatureMoves) as [$name, $country, $signatureMove]) {
    $streetFighter = new StreetFighter($name, $country, $signatureMove);
}

Note: For uneven lengths, iteration stops when the shortest iterable is exhausted.

ZipLongest

Iterate multiple iterable collections simultaneously.


For uneven lengths, the exhausted iterables will produce `null` for the remaining iterations.

use IterTools\Multi;

$letters = ['A', 'B', 'C']; $numbers = [1, 2];

foreach (Multi::zipLongest($letters, $numbers) as [$letter, $number]) {

// ['A', 1], ['B', 2], ['C', null]

}


### ZipEqual
Iterate multiple iterable collections with equal lengths simultaneously.

Throws `\LengthException` if lengths are not equal, meaning that at least one iterator ends before the others.

use IterTools\Multi;

$letters = ['A', 'B', 'C'];
$numbers = [1, 2, 3];

foreach (Multi::zipEqual($letters, $numbers) as [$letter, $number]) {
    // ['A', 1], ['B', 2], ['C', 3]
}

Single Iteration

Chunkwise

Return elements in chunks of a certain size.


Chunk size must be at least 1.

use IterTools\Single;

$movies = [

'Phantom Menace', 'Attack of the Clones', 'Revenge of the Sith',
'A New Hope', 'Empire Strikes Back', 'Return of the Jedi',
'The Force Awakens', 'The Last Jedi', 'The Rise of Skywalker'

];

foreach (Single::chunkwise($movies, 3) as $trilogy) {

$trilogies[] = $trilogy;

} // [ // ['Phantom Menace', 'Attack of the Clones', 'Revenge of the Sith'], // ['A New Hope', 'Empire Strikes Back', 'Return of the Jedi'], // ['The Force Awakens', 'The Last Jedi', 'The Rise of Skywalker]' // ]


### Chunkwise Overlap
Return overlapped chunks of elements.

  • Chunk size must be at least 1.
  • Overlap size must be less than chunk size.
use IterTools\Single;

$numbers = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10];

foreach (Single::chunkwiseOverlap($numbers, 3, 1) as $chunk) {
    // [1, 2, 3], [3, 4, 5], [5, 6, 7], [7, 8, 9], [9, 10]
}

Compress

Compress an iterable by filtering out data that is not selected.


use IterTools\Single;

$movies = [

'Phantom Menace', 'Attack of the Clones', 'Revenge of the Sith',
'A New Hope', 'Empire Strikes Back', 'Return of the Jedi',
'The Force Awakens', 'The Last Jedi', 'The Rise of Skywalker'

]; $goodMovies = [0, 0, 0, 1, 1, 1, 1, 0, 0];

foreach (Single::compress($movies, $goodMovies) as $goodMovie) {

print($goodMovie);

} // 'A New Hope', 'Empire Strikes Back', 'Return of the Jedi', 'The Force Awakens'


### Compress Associative
Compress an iterable by filtering out keys that are not selected.

  • Standard PHP array/iterator keys only (string, integer).
use IterTools\Single;

$starWarsEpisodes = [
    'I'    => 'The Phantom Menace',
    'II'   => 'Attack of the Clones',
    'III'  => 'Revenge of the Sith',
    'IV'   => 'A New Hope',
    'V'    => 'The Empire Strikes Back',
    'VI'   => 'Return of the Jedi',
    'VII'  => 'The Force Awakens',
    'VIII' => 'The Last Jedi',
    'IX'   => 'The Rise of Skywalker',
];
$originalTrilogyNumbers = ['IV', 'V', 'VI'];

foreach (Single::compressAssociative($starWarsEpisodes, $originalTrilogyNumbers) as $episode => $title) {
    print("$episode: $title" . \PHP_EOL);
}
// IV: A New Hope
// V: The Empire Strikes Back
// VI: Return of the Jedi

Drop While

Drop elements from the iterable while the predicate function is true.

Once the predicate function returns false once, all remaining elements are returned.


use IterTools\Single;

$scores = [50, 60, 70, 85, 65, 90]; $predicate = fn ($x) => $x < 70;

foreach (Single::dropWhile($scores, $predicate) as $score) {

print($score);

} // 70, 85, 65, 90


### Filter
Filter out elements from the iterable only returning elements where the predicate function is true.

use IterTools\Single;

$starWarsEpisodes   = [1, 2, 3, 4, 5, 6, 7, 8, 9];
$goodMoviePredicate = fn ($episode) => $episode > 3 && $episode < 8;

foreach (Single::filter($starWarsEpisodes, $goodMoviePredicate) as $goodMovie) {
    print($goodMovie);
}
// 4, 5, 6, 7

Filter True

Filter out elements from the iterable only returning elements that are truthy.


use IterTools\Single;

$reportCardGrades = [100, 0, 95, 85, 0, 94, 0];

foreach (Single::filterTrue($reportCardGrades) as $goodGrade) {

print($goodGrade);

} // 100, 95, 85, 94


### Filter False
Filter out elements from the iterable only returning elements where the predicate function is false.

If no predicate is provided, the boolean value of the data is used.

use IterTools\Single;

$alerts = [0, 1, 1, 0, 1, 0, 0, 1, 1];

foreach (Single::filterFalse($alerts) as $noAlert) {
    print($noAlert);
}
// 0, 0, 0, 0

Filter Keys

Filter out elements from the iterable only returning elements for which keys the predicate function is true.


use IterTools\Single;

$olympics = [

2000 => 'Sydney',
2002 => 'Salt Lake City',
2004 => 'Athens',
2006 => 'Turin',
2008 => 'Beijing',
2010 => 'Vancouver',
2012 => 'London',
2014 => 'Sochi',
2016 => 'Rio de Janeiro',
2018 => 'Pyeongchang',
2020 => 'Tokyo',
2022 => 'Beijing',

];

$summerFilter = fn ($year) => $year % 4 === 0;

foreach (Single::filterKeys($olympics, $summerFilter) as $year => $hostCity) {

print("$year: $hostCity" . \PHP_EOL);

} // 2000: Sydney // 2004: Athens // 2008: Beijing // 2012: London // 2016: Rio de Janeiro // 2020: Tokyo


### Flat Map
Map a function only the elements of the iterable and then flatten the results.

use IterTools\Single;

$data   = [1, 2, 3, 4, 5];
$mapper = fn ($item) => [$item, -$item];

foreach (Single::flatMap($data, $mapper) as $number) {
    print($number . ' ');
}
// 1 -1 2 -2 3 -3 4 -4 5 -5

Flatten

Flatten a multidimensional iterable.


use IterTools\Single;

$multidimensional = [1, [2, 3], [4, 5]];

$flattened = []; foreach (Single::flatten($multidimensional) as $number) {

$flattened[] = $number;

} // [1, 2, 3, 4, 5]


### Group By
Group data by a common data element.

  • The `$groupKeyFunction` determines the key to group elements by.
  • The optional `$itemKeyFunction` allows custom indexes within each group member.
use IterTools\Single;

$cartoonCharacters = [
    ['Garfield', 'cat'],
    ['Tom', 'cat'],
    ['Felix', 'cat'],
    ['Heathcliff', 'cat'],
    ['Snoopy', 'dog'],
    ['Scooby-Doo', 'dog'],
    ['Odie', 'dog'],
    ['Donald', 'duck'],
    ['Daffy', 'duck'],
];

$charactersGroupedByAnimal = [];
foreach (Single::groupBy($cartoonCharacters, fn ($x) => $x[1]) as $animal => $characters) {
    $charactersGroupedByAnimal[$animal] = $characters;
}
/*
'cat' => [
    ['Garfield', 'cat'],
    ['Tom', 'cat'],
    ['Felix', 'cat'],
    ['Heathcliff', 'cat'],
],
'dog' => [
    ['Snoopy', 'dog'],
    ['Scooby-Doo', 'dog'],
    ['Odie', 'dog'],
],
'duck' => [
    ['Donald', 'duck'],
    ['Daffy', 'duck'],
*/

Limit

Iterate up to a limit.

Stops even if more data available if limit reached.


use IterTools\Single;

$matrixMovies = ['The Matrix', 'The Matrix Reloaded', 'The Matrix Revolutions', 'The Matrix Resurrections']; $limit = 1;

foreach (Single::limit($matrixMovies, $limit) as $goodMovie) {

print($goodMovie);

} // 'The Matrix' (and nothing else)


### Map
Map a function onto each element.

use IterTools\Single;

$grades               = [100, 99, 95, 98, 100];
$strictParentsOpinion = fn ($g) => $g === 100 ? 'A' : 'F';

foreach (Single::map($grades, $strictParentsOpinion) as $actualGrade) {
    print($actualGrade);
}
// A, F, F, F, A

Pairwise

Returns successive overlapping pairs.

Returns empty generator if given collection contains fewer than 2 elements.


use IterTools\Single;

$friends = ['Ross', 'Rachel', 'Chandler', 'Monica', 'Joey', 'Phoebe'];

foreach (Single::pairwise($friends) as [$leftFriend, $rightFriend]) {

print("{$leftFriend} and {$rightFriend}");

} // Ross and Rachel, Rachel and Chandler, Chandler and Monica, ...


### Repeat
Repeat an item.

use IterTools\Single;

$data        = 'Beetlejuice';
$repetitions = 3;

foreach (Single::repeat($data, $repetitions) as $repeated) {
    print($repeated);
}
// 'Beetlejuice', 'Beetlejuice', 'Beetlejuice'

Reindex

Reindex keys of key-value iterable using indexer function.


use IterTools\Single;

$data = [

[
    'title'   => 'Star Wars: Episode IV ? A New Hope',
    'episode' => 'IV',
    'year'    => 1977,
],
[
    'title'   => 'Star Wars: Episode V ? The Empire Strikes Back',
    'episode' => 'V',
    'year'    => 1980,
],
[
    'title' => 'Star Wars: Episode VI ? Return of the Jedi',
    'episode' => 'VI',
    'year' => 1983,
],

]; $reindexFunc = fn (array $swFilm) => $swFilm['episode'];

$reindexedData = []; foreach (Single::reindex($data, $reindexFunc) as $key => $filmData) {

$reindexedData[$key] = $filmData;

} // [ // 'IV' => [ // 'title' => 'Star Wars: Episode IV ? A New Hope', // 'episode' => 'IV', // 'year' => 1977, // ], // 'V' => [ // 'title' => 'Star Wars: Episode V ? The Empire Strikes Back', // 'episode' => 'V', // 'year' => 1980, // ], // 'VI' => [ // 'title' => 'Star Wars: Episode VI ? Return of the Jedi', // 'episode' => 'VI', // 'year' => 1983, // ], // ]


### Reverse
Reverse the elements of an iterable.

use IterTools\Single;

$words = ['Alice', 'answers', 'your', 'questions', 'Bob'];

foreach (Single::reverse($words) as $word) {
    print($word . ' ');
}
// Bob questions your answers Alice

Slice

Extract a slice of the iterable.


use IterTools\Single;

$olympics = [1992, 1994, 1996, 1998, 2000, 2002, 2004, 2006, 2008, 2010, 2012, 2014, 2016, 2018, 2020, 2022]; $winterOlympics = [];

foreach (Single::slice($olympics, 1, 8, 2) as $winterYear) {

$winterOlympics[] = $winterYear;

} // [1994, 1998, 2002, 2006, 2010, 2014, 2018, 2022]


### String
Iterate the individual characters of a string.

use IterTools\Single;

$string = 'MickeyMouse';

$listOfCharacters = [];
foreach (Single::string($string) as $character) {
    $listOfCharacters[] = $character;
}
// ['M', 'i', 'c', 'k', 'e', 'y', 'M', 'o', 'u', 's', 'e']

Take While

Return elements from the iterable as long as the predicate is true.

Stops iteration as soon as the predicate returns false, even if other elements later on would eventually return true (different from filterTrue).


use IterTools\Single;

$prices = [0, 0, 5, 10, 0, 0, 9]; $isFree = fn ($price) => $price == 0;

foreach (Single::takeWhile($prices, $isFree) as $freePrice) {

print($freePrice);

} // 0, 0


## Infinite Iteration
### Count
Count sequentially forever.

use IterTools\Infinite;

$start = 1;
$step  = 1;

foreach (Infinite::count($start, $step) as $i) {
    print($i);
}
// 1, 2, 3, 4, 5 ...

Cycle

Cycle through the elements of a collection sequentially forever.


use IterTools\Infinite;

$hands = ['rock', 'paper', 'scissors'];

foreach (Infinite::cycle($hands) as $hand) {

RockPaperScissors::playHand($hand);

} // rock, paper, scissors, rock, paper, scissors, ...


### Repeat (Infinite)
Repeat an item forever.

use IterTools\Infinite;

$dialogue = 'Are we there yet?';

foreach (Infinite::repeat($dialogue) as $repeated) {
    print($repeated);
}
// 'Are we there yet?', 'Are we there yet?', 'Are we there yet?', ...

Random Iteration

Choice

Generate random selections from an array of values.


use IterTools\Random;

$cards = ['Ace', 'King', 'Queen', 'Jack', 'Joker']; $repetitions = 10;

foreach (Random::choice($cards, $repetitions) as $card) {

print($card);

} // 'King', 'Jack', 'King', 'Ace', ... [random]


### CoinFlip
Generate random coin flips (0 or 1).

use IterTools\Random;

$repetitions = 10;

foreach (Random::coinFlip($repetitions) as $coinFlip) {
    print($coinFlip);
}
// 1, 0, 1, 1, 0, ... [random]

Number

Generate random numbers (integers).


use IterTools\Random;

$min = 1; $max = 4; $repetitions = 10;

foreach (Random::number($min, $max, $repetitions) as $number) {

print($number);

} // 3, 2, 5, 5, 1, 2, ... [random]


### Percentage
Generate a random percentage between 0 and 1.

use IterTools\Random;

$repetitions = 10;

foreach (Random::percentage($repetitions) as $percentage) {
    print($percentage);
}
// 0.30205562629132, 0.59648594775233, ... [random]

RockPaperScissors

Generate random rock-paper-scissors hands.


use IterTools\Random;

$repetitions = 10;

foreach (Random::rockPaperScissors($repetitions) as $rpsHand) {

print($rpsHand);

} // 'paper', 'rock', 'rock', 'scissors', ... [random]


## Math Iteration
### Running Average
Accumulate the running average over a list of numbers.

use IterTools\Math;

$grades = [100, 80, 80, 90, 85];

foreach (Math::runningAverage($grades) as $runningAverage) {
    print($runningAverage);
}
// 100, 90, 86.667, 87.5, 87

Running Difference

Accumulate the running difference over a list of numbers.


use IterTools\Math;

$credits = [1, 2, 3, 4, 5];

foreach (Math::runningDifference($credits) as $runningDifference) {

print($runningDifference);

} // -1, -3, -6, -10, -15

Provide an optional initial value to lead off the running difference.

use IterTools\Math;

$dartsScores = [50, 50, 25, 50]; $startingScore = 501;

foreach (Math::runningDifference($dartsScores, $startingScore) as $runningScore) {

print($runningScore);

} // 501, 451, 401, 376, 326


### Running Max
Accumulate the running maximum over a list of numbers.

use IterTools\Math;

$numbers = [1, 2, 1, 3, 5];

foreach (Math::runningMax($numbers) as $runningMax) {
    print($runningMax);
}
// 1, 2, 2, 3, 5

Running Min

Accumulate the running minimum over a list of numbers.


use IterTools\Math;

$numbers = [3, 4, 2, 5, 1];

foreach (Math::runningMin($numbers) as $runningMin) {

print($runningMin);

} // 3, 3, 2, 2, 1


### Running Product
Accumulate the running product over a list of numbers.

use IterTools\Math;

$numbers = [1, 2, 3, 4, 5];

foreach (Math::runningProduct($numbers) as $runningProduct) {
    print($runningProduct);
}
// 1, 2, 6, 24, 120

Provide an optional initial value to lead off the running product.

use IterTools\Math;

$numbers      = [1, 2, 3, 4, 5];
$initialValue = 5;

foreach (Math::runningProduct($numbers, $initialValue) as $runningProduct) {
    print($runningProduct);
}
// 5, 5, 10, 30, 120, 600

Running Total

Accumulate the running total over a list of numbers.


use IterTools\Math;

$prices = [1, 2, 3, 4, 5];

foreach (Math::runningTotal($prices) as $runningTotal) {

print($runningTotal);

} // 1, 3, 6, 10, 15


Provide an optional initial value to lead off the running total.

use IterTools\Math;

$prices = [1, 2, 3, 4, 5]; $initialValue = 5;

foreach (Math::runningTotal($prices, $initialValue) as $runningTotal) {

print($runningTotal);

} // 5, 6, 8, 11, 15, 20


## Set and multiset
### Distinct
Filter out elements from the iterable only returning distinct elements.

Defaults to strict type comparisons. Set strict to false for type coercion comparisons.

use IterTools\Set;

$chessSet = ['rook', 'rook', 'knight', 'knight', 'bishop', 'bishop', 'king', 'queen', 'pawn', 'pawn', ... ];

foreach (Set::distinct($chessSet) as $chessPiece) {
    print($chessPiece);
}
// rook, knight, bishop, king, queen, pawn

$mixedTypes = [1, '1', 2, '2', 3];

foreach (Set::distinct($mixedTypes, false) as $datum) {
    print($datum);
}
// 1, 2, 3

Intersection

Iterates intersection of iterables.


If input iterables produce duplicate items, then multiset intersection rules apply.

use IterTools\Set;

$chessPieces = ['rook', 'knight', 'bishop', 'queen', 'king', 'pawn']; $shogiPieces = ['rook', 'knight', 'bishop' 'king', 'pawn', 'lance', 'gold general', 'silver general'];

foreach (Set::intersection($chessPieces, $shogiPieces) as $commonPiece) {

print($commonPiece);

} // rook, knight, bishop, king, pawn


### Intersection Coercive
Iterates intersection of iterables using type coercion.

If input iterables produce duplicate items, then multiset intersection rules apply.

use IterTools\Set;

$numbers  = [1, 2, 3, 4, 5];
$numerics = ['1', '2', 3];

foreach (Set::intersectionCoercive($numbers, $numerics) as $commonNumber) {
    print($commonNumber);
}
// 1, 2, 3

Partial Intersection

Iterates M-partial intersection of iterables.


* If input iterables produce duplicate items, then multiset intersection rules apply.

use IterTools\Set;

$staticallyTyped = ['c++', 'java', 'c#', 'go', 'haskell']; $dynamicallyTyped = ['php', 'python', 'javascript', 'typescript']; $supportsInterfaces = ['php', 'java', 'c#', 'typescript'];

foreach (Set::partialIntersection(2, $staticallyTyped, $dynamicallyTyped, $supportsInterfaces) as $language) {

print($language);

} // c++, java, c#, go, php


### Partial Intersection Coercive
Iterates M-partial intersection of iterables using type coercion.

  • If input iterables produce duplicate items, then multiset intersection rules apply.
use IterTools\Set;

$set1 = [1, 2, 3],
$set2 = ['2', '3', 4, 5],
$set3 = [1, '2'],

foreach (Set::partialIntersectionCoercive(2, $set1, $set2, $set3) as $partiallyCommonNumber) {
    print($partiallyCommonNumber);
}
// 1, 2, 3

Symmetric difference

Iterates the symmetric difference of iterables.


If input iterables produce duplicate items, then multiset difference rules apply.

use IterTools\Set;

$a = [1, 2, 3, 4, 7]; $b = ['1', 2, 3, 5, 8]; $c = [1, 2, 3, 6, 9];

foreach (Set::symmetricDifference($a, $b, $c) as $item) {

print($item);

} // 1, 4, 5, 6, 7, 8, 9


### Symmetric difference Coercive
Iterates the symmetric difference of iterables with type coercion.

If input iterables produce duplicate items, then multiset difference rules apply.

use IterTools\Set;

$a = [1, 2, 3, 4, 7];
$b = ['1', 2, 3, 5, 8];
$c = [1, 2, 3, 6, 9];

foreach (Set::symmetricDifferenceCoercive($a, $b, $c) as $item) {
    print($item);
}
// 4, 5, 6, 7, 8, 9

Sort Iteration

ASort

Iterate the collection sorted while maintaining the associative key index relations.


Uses default sorting if optional comparator function not provided.

use IterTools\Single;

$worldPopulations = [

'China'     => 1_439_323_776,
'India'     => 1_380_004_385,
'Indonesia' => 273_523_615,
'Pakistan'  => 220_892_340,
'USA'       => 331_002_651,

];

foreach (Sort::sort($worldPopulations) as $country => $population) {

print("$country: $population" . \PHP_EOL);

} // Pakistan: 220,892,340 // Indonesia: 273,523,615 // USA: 331,002,651 // India: 1,380,004,385 // China: 1,439,323,776


### Sort
Iterate the collection sorted.

Uses default sorting if optional comparator function not provided.

use IterTools\Single;

$data = [3, 4, 5, 9, 8, 7, 1, 6, 2];

foreach (Sort::sort($data) as $datum) {
    print($datum);
}
// 1, 2, 3, 4, 5, 6, 7, 8, 9

File

Read CSV

Iterate the lines of a CSV file.


use IterTools\File;

$fileHandle = \fopen('path/to/file.csv', 'r');

foreach (File::readCsv($fileHandle) as $row) {

print_r($row);

} // Each column field is an element of the array


### Read Lines
Iterate the lines of a file.

use IterTools\File;

$fileHandle = \fopen('path/to/file.txt', 'r');

foreach (File::readLines($fileHandle) as $line) {
    print($line);
}

Transform

Tee

Return several independent (duplicated) iterators from a single iterable.


use IterTools\Transform;

$daysOfWeek = ['Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat', 'Sun']; $count = 3;

[$week1, $week2, $week3] = Transform::tee($data, $count); // Each $week contains iterator containing ['Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat', 'Sun']


### To Array
Transforms any iterable to an array.

use IterTools\Transform;

$iterator = new \ArrayIterator([1, 2, 3, 4, 5]);

$array = Transform::toArray($iterator);

To Associative Array

Transforms any iterable to an associative array.


use IterTools\Transform;

$messages = ['message 1', 'message 2', 'message 3'];

$keyFunc = fn ($msg) => \md5($msg); $valueFunc = fn ($msg) => strtoupper($msg);

$associativeArray = Transform::toAssociativeArray($messages, $keyFunc, $valueFunc); // [ // '1db65a6a0a818fd39655b95e33ada11d' => 'MESSAGE 1', // '83b2330607fe8f817ce6d24249dea373' => 'MESSAGE 2', // '037805d3ad7b10c5b8425427b516b5ce' => 'MESSAGE 3', // ]


### To Iterator
Transforms any iterable to an iterator.

use IterTools\Transform;

$array = [1, 2, 3, 4, 5];

$iterator = Transform::toIterator($array);

Summary

All Match

Returns true if all elements match the predicate function.


use IterTools\Summary;

$finalFantasyNumbers = [4, 5, 6]; $isOnSuperNintendo = fn ($ff) => $ff >= 4 && $ff <= 6;

$boolean = Summary::allMatch($finalFantasyNumbers, $isOnSuperNintendo); // true

$isOnPlaystation = fn ($ff) => $ff >= 7 && $ff <= 9;

$boolean = Summary::allMatch($finalFantasyNumbers, $isOnPlaystation); // false


### Any Match
Returns true if any element matches the predicate function.

use IterTools\Summary;

$answers          = ['fish', 'towel', 42, "don't panic"];
$isUltimateAnswer = fn ($a) => a == 42;

$boolean = Summary::anyMatch($answers, $isUltimateAnswer);
// true

Are Permutations

Returns true if all iterables are permutations of each other.


use IterTools\Summary;

$iter = ['i', 't', 'e', 'r']; $rite = ['r', 'i', 't', 'e']; $reit = ['r', 'e', 'i', 't']; $tier = ['t', 'i', 'e', 'r']; $tire = ['t', 'i', 'r', 'e']; $trie = ['t', 'r', 'i', 'e'];

$boolean = Summary::arePermutations($iter, $rite, $reit, $tier, $tire, $trie); // true


### Are Permutations Coercive
Returns true if all iterables are permutations of each other with type coercion.

use IterTools\Summary;

$set1 = [1, 2.0, '3'];
$set2 = [2.0, '1', 3];
$set3 = [3, 2, 1];

$boolean = Summary::arePermutationsCoercive($set1, $set2, $set3);
// true

Exactly N

Returns true if exactly n items are true according to a predicate function.

  • Predicate is optional.
  • Default predicate is boolean value of each item.

use IterTools\Summary;

$twoTruthsAndALie = [true, true, false]; $n = 2;

$boolean = Summary::exactlyN($twoTruthsAndALie, $n); // true

$ages = [18, 21, 24, 54]; $n = 4; $predicate = fn ($age) => $age >= 21;

$boolean = Summary::exactlyN($ages, $n, $predicate); // false


### Is Partitioned
Returns true if all elements of given collection that satisfy the predicate appear before all elements that don't.

- Returns true for empty collection or for collection with single item.
- Default predicate if not provided is the boolean value of each data item.

use IterTools\Summary;

$numbers          = [0, 2, 4, 1, 3, 5];
$evensBeforeOdds = fn ($item) => $item % 2 === 0;

$boolean = Summary::isPartitioned($numbers, $evensBeforeOdds);

Is Sorted

Returns true if elements are sorted, otherwise false.

  • Elements must be comparable.
  • Returns true if empty or has only one element.

use IterTools\Summary;

$numbers = [1, 2, 3, 4, 5];

$boolean = Summary::isSorted($numbers); // true

$numbers = [3, 2, 3, 4, 5];

$boolean = Summary::isSorted($numbers); // false


### Is Reversed
Returns true if elements are reverse sorted, otherwise false.

- Elements must be comparable.
- Returns true if empty or has only one element.

use IterTools\Summary;

$numbers = [5, 4, 3, 2, 1];

$boolean = Summary::isReversed($numbers);
// true

$numbers = [1, 4, 3, 2, 1];

$boolean = Summary::isReversed($numbers);
// false

None Match

Returns true if no element matches the predicate function.


use IterTools\Summary;

$grades = [45, 50, 61, 0]; $isPassingGrade = fn ($grade) => $grade >= 70;

$boolean = Summary::noneMatch($grades, $isPassingGrade); // true


### Same
Returns true if all given collections are the same.

For single iterable or empty iterables list returns true.

use IterTools\Summary;

$cocaColaIngredients = ['carbonated water', 'sugar', 'caramel color', 'phosphoric acid'];
$pepsiIngredients    = ['carbonated water', 'sugar', 'caramel color', 'phosphoric acid'];

$boolean = Summary::same($cocaColaIngredients, $pepsiIngredients);
// true

$cocaColaIngredients = ['carbonated water', 'sugar', 'caramel color', 'phosphoric acid'];
$spriteIngredients   = ['carbonated water', 'sugar', 'citric acid', 'lemon lime flavorings'];

$boolean = Summary::same($cocaColaIngredients, $spriteIngredients);
// false

Same Count

Returns true if all given collections have the same lengths.

For single iterable or empty iterables list returns true.


use IterTools\Summary;

$prequels = ['Phantom Menace', 'Attack of the Clones', 'Revenge of the Sith']; $originals = ['A New Hope', 'Empire Strikes Back', 'Return of the Jedi']; $sequels = ['The Force Awakens', 'The Last Jedi', 'The Rise of Skywalker'];

$boolean = Summary::sameCount($prequels, $originals, $sequels); // true

$batmanMovies = ['Batman Begins', 'The Dark Knight', 'The Dark Knight Rises']; $matrixMovies = ['The Matrix', 'The Matrix Reloaded', 'The Matrix Revolutions', 'The Matrix Resurrections'];

$result = Summary::sameCount($batmanMovies, $matrixMovies); // false


## Reduce
### To Average
Reduces to the mean average.

Returns null if collection is empty.

use IterTools\Reduce;

$grades = [100, 90, 95, 85, 94];

$finalGrade = Reduce::toAverage($numbers);
// 92.8

To Count

Reduces iterable to its length.


use IterTools\Reduce;

$someIterable = ImportantThing::getCollectionAsIterable();

$length = Reduce::toCount($someIterable); // 3


### To First
Reduces iterable to its first element.

Throws \LengthException if collection is empty.

use IterTools\Reduce;

$medals = ['gold', 'silver', 'bronze'];

$first = Reduce::toFirst($medals);
// gold

To First And Last

Reduces iterable to its first and last elements.


Throws `\LengthException` if collection is empty.

use IterTools\Reduce;

$weekdays = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday'];

$firstAndLast = Reduce::toFirstAndLast($weekdays); // [Monday, Friday]


### To Last
Reduces iterable to its last element.

Throws \LengthException if collection is empty.

use IterTools\Reduce;

$gnomesThreePhasePlan = ['Collect underpants', '?', 'Profit'];

$lastPhase = Reduce::toLast($gnomesThreePhasePlan);
// Profit

To Max

Reduces to the max value.


- Optional callable param `$compareBy` must return comparable value.
- If `$compareBy` is not provided then items of given collection must be comparable.
- Returns null if collection is empty.

use IterTools\Reduce;

$numbers = [5, 3, 1, 2, 4];

$result = Reduce::toMax($numbers); // 5

$movieRatings = [

[
    'title' => 'Star Wars: Episode IV - A New Hope',
    'rating' => 4.6
],
[
    'title' => 'Star Wars: Episode V - The Empire Strikes Back',
    'rating' => 4.8
],
[
    'title' => 'Star Wars: Episode VI - Return of the Jedi',
    'rating' => 4.6
],

]; $compareBy = fn ($movie) => $movie['rating'];

$highestRatedMovie = Reduce::toMax($movieRatings, $compareBy); // [ // 'title' => 'Star Wars: Episode V - The Empire Strikes Back', // 'rating' => 4.8 // ];


### To Min
Reduces to the min value.

  • Optional callable param `$compareBy` must return comparable value.
  • If `$compareBy` is not provided then items of given collection must be comparable.
  • Returns null if collection is empty.
use IterTools\Reduce;

$numbers = [5, 3, 1, 2, 4];

$result = Reduce::toMin($numbers);
// 1


$movieRatings = [
    [
        'title' => 'The Matrix',
        'rating' => 4.7
    ],
    [
        'title' => 'The Matrix Reloaded',
        'rating' => 4.3
    ],
    [
        'title' => 'The Matrix Revolutions',
        'rating' => 3.9
    ],
    [
        'title' => 'The Matrix Resurrections',
        'rating' => 2.5
    ],
];
$compareBy = fn ($movie) => $movie['rating'];

$lowestRatedMovie = Reduce::toMin($movieRatings, $compareBy);
// [
//     'title' => 'The Matrix Resurrections',
//     'rating' => 2.5
// ]

To Min Max

Reduces to array of its upper and lower bounds (max and min).


- Optional callable param `$compareBy` must return comparable value.
- If `$compareBy` is not provided then items of given collection must be comparable.
- Returns `[null, null]` if given collection is empty.

use IterTools\Reduce;

$numbers = [1, 2, 7, -1, -2, -3];

[$min, $max] = Reduce::toMinMax($numbers); // [-3, 7]

$reportCard = [

[
    'subject' => 'history',
    'grade' => 90
],
[
    'subject' => 'math',
    'grade' => 98
],
[
    'subject' => 'science',
    'grade' => 92
],
[
    'subject' => 'english',
    'grade' => 85
],
[
    'subject' => 'programming',
    'grade' => 100
],

]; $compareBy = fn ($class) => $class['grade'];

$bestAndWorstSubject = Reduce::toMinMax($reportCard, $compareBy); // [ // [ // 'subject' => 'english', // 'grade' => 85 // ], // [ // 'subject' => 'programming', // 'grade' => 100 // ], // ]


### To Product
Reduces to the product of its elements.

Returns null if collection is empty.

use IterTools\Reduce;

$primeFactors = [5, 2, 2];

$number = Reduce::toProduct($primeFactors);
// 20

To Range

Reduces given collection to its range (difference between max and min).


Returns `0` if iterable source is empty.

use IterTools\Reduce;

$grades = [100, 90, 80, 85, 95];

$range = Reduce::toRange($numbers); // 20


### To String
Reduces to a string joining all elements.

* Optional separator to insert between items.
* Optional prefix to prepend to the string.
* Optional suffix to append to the string.

use IterTools\Reduce;

$words = ['IterTools', 'PHP', 'v1.0'];

$string = Reduce::toString($words);
// IterToolsPHPv1.0
$string = Reduce::toString($words, '-');
// IterTools-PHP-v1.0
$string = Reduce::toString($words, '-', 'Library: ');
// Library: IterTools-PHP-v1.0
$string = Reduce::toString($words, '-', 'Library: ', '!');
// Library: IterTools-PHP-v1.0!

To Sum

Reduces to the sum of its elements.


use IterTools\Reduce;

$parts = [10, 20, 30];

$sum = Reduce::toSum($parts); // 60


### To Value
Reduce elements to a single value using reducer function.

use IterTools\Reduce;

$input = [1, 2, 3, 4, 5];
$sum   = fn ($carry, $item) => $carry + $item;

$result = Reduce::toValue($input, $sum, 0);
// 15

Stream

Streams provide a fluent interface to transform arrays and iterables through a pipeline of operations.

Streams are made up of:

  1. One stream source factory method to create the stream.
  2. Zero or more stream operators that transform the stream to a new stream.
  3. Terminal operation of either:
    * Stream terminal operation to transform the stream to a value or data structure.
    $result = Stream::of([1, 1, 2, 2, 3, 4, 5])
       ->distinct()                  // [1, 2, 3, 4, 5]
       ->map(fn ($x) => $x2)       // [1, 4, 9, 16, 25]
       ->filter(fn ($x) => $x < 10)  // [1, 4, 9]
       ->toSum();                    // 14
    
    * The stream is iterated via a `foreach` loop.
    
    $result = Stream::of([1, 1, 2, 2, 3, 4, 5]) ->distinct() // [1, 2, 3, 4, 5] ->map(fn ($x) => $x2) // [1, 4, 9, 16, 25] ->filter(fn ($x) => $x < 10); // [1, 4, 9] foreach ($result as $item) { // 1, 4, 9 }

Stream Sources

Of

Creates stream from an iterable.


use IterTools\Stream;

$iterable = [1, 2, 3];

$result = Stream::of($iterable)

->chainWith([4, 5, 6], [7, 8, 9])
->zipEqualWith([1, 2, 3, 4, 5, 6, 7, 8, 9])
->toValue(fn ($carry, $item) => $carry + array_sum($item));

// 90


#### Of Coin Flips
Creates stream of n random coin flips.

use IterTools\Stream;

$result = Stream::ofCoinFlips(10)
    ->filterTrue()
    ->toCount();
// 5 (random)

Of CSV File

Creates a stream of rows of a CSV file.


use IterTools\Stream;

$fileHandle = \fopen('path/to/file.csv', 'r');

$result = Stream::of($fileHandle)

->toArray();

#### Of Empty
Creates stream of nothing.

use IterTools\Stream;

$result = Stream::ofEmpty()
    ->chainWith([1, 2, 3])
    ->toArray();
// 1, 2, 3

Of File Lines

Creates a stream of lines of a file.


use IterTools\Stream;

$fileHandle = \fopen('path/to/file.txt', 'r');

$result = Stream::of($fileHandle)

->map('strtoupper');
->toArray();

#### Of Random Choice
Creates stream of random selections from an array of values.

use IterTools\Stream;

$languages = ['PHP', 'Go', 'Python'];

$languages = Stream::ofRandomChoice($languages, 5)
    ->toArray();
// 'Go', 'PHP', 'Python', 'PHP', 'PHP' (random)

Of Random Numbers

Creates stream of random numbers (integers).


use IterTools\Stream;

$min = 1; $max = 3; $reps = 7;

$result = Stream::ofRandomNumbers($min, $max, $reps)

->toArray();

// 1, 2, 2, 1, 3, 2, 1 (random)


#### Of Random Percentage
Creates stream of random percentages between 0 and 1.

use IterTools\Stream;

$stream = Stream::ofRandomPercentage(3)
    ->toArray();
// 0.8012566976245, 0.81237281724151, 0.61676896329459 [random]

Of Range

Creates stream of a range of numbers.


use IterTools\Stream;

$numbers = Stream::ofRange(0, 5)

->toArray();

// 0, 1, 2, 3, 4, 5


#### Of Rock Paper Scissors
Creates stream of rock-paper-scissors hands.

use IterTools\Stream;

$rps = Stream::ofRockPaperScissors(5)
    ->toArray();
// 'paper', 'rock', 'rock', 'scissors', 'paper' [random]

Stream Operations

ASort

Sorts the stream, maintaining keys.


If comparator is not provided, the elements of the iterable source must be comparable.

use IterTools\Stream;

$worldPopulations = [

'China'     => 1_439_323_776,
'India'     => 1_380_004_385,
'Indonesia' => 273_523_615,
'USA'       => 331_002_651,

];

$result = Stream::of($worldPopulations)

->filter(fn ($pop) => $pop > 300_000_000)
->asort()
->toAssociativeArray();

// USA => 331_002_651, // India => 1_380_004_385, // China => 1_439_323_776,


#### Chain With
Return a stream chaining additional sources together into a single consecutive stream.

use IterTools\Stream;

$input = [1, 2, 3];

$result = Stream::of($input)
    ->chainWith([4, 5, 6])
    ->chainWith([7, 8, 9])
    ->toArray();
// 1, 2, 3, 4, 5, 6, 7, 8, 9

Compress

Compress to a new stream by filtering out data that is not selected.


Selectors indicate which data. True value selects item. False value filters out data.

use IterTools\Stream;

$input = [1, 2, 3];

$result = Stream::of($input)

->compress([0, 1, 1])
->toArray();

// 2, 3


#### Compress Associative
Compress to a new stream by filtering out keys that are not selected.

  • Standard PHP array/iterator keys only (string, integer).
use IterTools\Stream;

$starWarsEpisodes = [
    'I'    => 'The Phantom Menace',
    'II'   => 'Attack of the Clones',
    'III'  => 'Revenge of the Sith',
    'IV'   => 'A New Hope',
    'V'    => 'The Empire Strikes Back',
    'VI'   => 'Return of the Jedi',
    'VII'  => 'The Force Awakens',
    'VIII' => 'The Last Jedi',
    'IX'   => 'The Rise of Skywalker',
];
$sequelTrilogyNumbers = ['VII', 'VIII', 'IX'];

$sequelTrilogy = Stream::of($starWarsEpisodes)
    ->compressAssociative($sequelTrilogyNumbers)
    ->toAssociativeArray();
// 'VII'  => 'The Force Awakens',
// 'VIII' => 'The Last Jedi',
// 'IX'   => 'The Rise of Skywalker',

Chunkwise

Return a stream consisting of chunks of elements from the stream.


Chunk size must be at least 1.

use IterTools\Stream;

$friends = ['Ross', 'Rachel', 'Chandler', 'Monica', 'Joey'];

$result = Stream::of($friends)

->chunkwise(2)
->toArray();

// ['Ross', 'Rachel'], ['Chandler', 'Monica'], ['Joey']


#### Chunkwise Overlap
Return a stream consisting of overlapping chunks of elements from the stream.

  • Chunk size must be at least 1.
  • Overlap size must be less than chunk size.
use IterTools\Stream;

$numbers = [1, 2, 3, 4, 5, 6, 7, 8, 9];

$result = Stream::of($friends)
    ->chunkwiseOverlap(3, 1)
    ->toArray()
// [1, 2, 3], [3, 4, 5], [5, 6, 7], [7, 8, 9]

Distinct

Return a stream filtering out elements from the stream only returning distinct elements.


Defaults to strict type comparisons. Set strict to false for type coercion comparisons.

use IterTools\Stream;

$input = [1, 2, 1, 2, 3, 3, '1', '1', '2', '3']; $stream = Stream::of($input)

->distinct()
->toArray();

// 1, 2, 3, '1', '2', '3'

$stream = Stream::of($input)

->distinct(false)
->toArray();

// 1, 2, 3


#### Drop While
Drop elements from the stream while the predicate function is true.

Once the predicate function returns false once, all remaining elements are returned.

use IterTools\Stream;

$input = [1, 2, 3, 4, 5]

$result = Stream::of($input)
    ->dropWhile(fn ($value) => $value < 3)
    ->toArray();
// 3, 4, 5

Filter

Filter out elements from the stream only keeping elements where there predicate function is true.


use IterTools\Stream;

$input = [1, -1, 2, -2, 3, -3];

$result = Stream::of($input)

->filter(fn ($value) => $value > 0)
->toArray();

// 1, 2, 3


#### Filter True
Filter out elements from the stream only keeping elements that are truthy.

use IterTools\Stream;

$input = [0, 1, 2, 3, 0, 4];

$result = Stream::of($input)
    ->filterTrue()
    ->toArray();
// 1, 2, 3, 4

Filter False

Filter out elements from the stream only keeping elements that are falsy.


use IterTools\Stream;

$input = [0, 1, 2, 3, 0, 4];

$result = Stream::of($input)

->filterFalse()
->toArray();

// 0, 0


#### Filter Keys
Filter out elements from stream only keeping elements where the predicate function on the keys are true.

$olympics = [
    2000 => 'Sydney',
    2002 => 'Salt Lake City',
    2004 => 'Athens',
    2006 => 'Turin',
    2008 => 'Beijing',
    2010 => 'Vancouver',
    2012 => 'London',
    2014 => 'Sochi',
    2016 => 'Rio de Janeiro',
    2018 => 'Pyeongchang',
    2020 => 'Tokyo',
    2022 => 'Beijing',
];

$winterFilter = fn ($year) => $year % 4 === 2;

$result = Stream::of($olympics)
    ->filterKeys($winterFilter)
    ->toAssociativeArray();
}
// 2002 => Salt Lake City
// 2006 => Turin
// 2010 => Vancouver
// 2014 => Sochi
// 2018 => Pyeongchang
// 2022 => Beijing

Flat Map

Map a function onto the elements of the stream and flatten the results.


$data = [1, 2, 3, 4, 5]; $mapper fn ($item) => ($item % 2 === 0) ? [$item, $item] : $item;

$result = Stream::of($data)

->flatMap($mapper)
->toArray();

// [1, 2, 2, 3, 4, 4, 5]


#### Flatten
Flatten a multidimensional stream.

$data = [1, [2, 3], [4, 5]];

$result = Stream::of($data)
    ->flatten($mapper)
    ->toArray();
// [1, 2, 3, 4, 5]

Group By

Return a stream grouping by a common data element.


* The `$groupKeyFunction` determines the key to group elements by.
* The optional `$itemKeyFunction` allows custom indexes within each group member.

use IterTools\Stream;

$input = [1, -1, 2, -2, 3, -3];

$groups = Stream::of($input)

->groupBy(fn ($item) => $item > 0 ? 'positive' : 'negative');

foreach ($groups as $group => $item) {

// 'positive' => [1, 2, 3], 'negative' => [-1, -2, -3]

}


#### Infinite Cycle
Return a stream cycling through the elements of stream sequentially forever.

use IterTools\Stream;

$input = [1, 2, 3];

$result = Stream::of($input)
    ->infiniteCycle()
    ->print();
// 1, 2, 3, 1, 2, 3, ...

Intersection With

Return a stream intersecting the stream with the input iterables.


use IterTools\Stream;

$numbers = [1, 2, 3, 4, 5, 6, 7, 8, 9]; $numerics = ['1', '2', 3, 4, 5, 6, 7, '8', '9']; $oddNumbers = [1, 3, 5, 7, 9, 11];

$stream = Stream::of($numbers)

->intersectionWith($numerics, $oddNumbers)
->toArray();

// 3, 5, 7


#### Intersection Coercive With
Return a stream intersecting the stream with the input iterables using type coercion.

use IterTools\Stream;

$languages          = ['php', 'python', 'c++', 'java', 'c#', 'javascript', 'typescript'];
$scriptLanguages    = ['php', 'python', 'javascript', 'typescript'];
$supportsInterfaces = ['php', 'java', 'c#', 'typescript'];

$stream = Stream::of($languages)
    ->intersectionCoerciveWith($scriptLanguages, $supportsInterfaces)
    ->toArray();
// 'php', 'typescript'

Limit

Return a stream up to a limit.

Stops even if more data available if limit reached.


Use IterTools\Single;

$matrixMovies = ['The Matrix', 'The Matrix Reloaded', 'The Matrix Revolutions', 'The Matrix Resurrections']; $limit = 1;

$goodMovies = Stream::of($matrixMovies)

->limit($limit)
->toArray();

// 'The Matrix' (and nothing else)


#### Map
Return a stream containing the result of mapping a function onto each element of the stream.

use IterTools\Stream;

$grades = [100, 95, 98, 89, 100];

$result = Stream::of($grades)
    ->map(fn ($grade) => $grade === 100 ? 'A' : 'F')
    ->toArray();
// A, F, F, F, A

Pairwise

Return a stream consisting of pairs of elements from the stream.


Returns empty stream if given collection contains less than 2 elements.

use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$stream = Stream::of($input)

->pairwise()
->toArray();

// [1, 2], [2, 3], [3, 4], [4, 5]


#### Partial Intersection With
Return a stream partially intersecting the stream with the input iterables.

use IterTools\Stream;

$numbers    = [1, 2, 3, 4, 5, 6, 7, 8, 9];
$numerics   = ['1', '2', 3, 4, 5, 6, 7, '8', '9'];
$oddNumbers = [1, 3, 5, 7, 9, 11];

$stream = Stream::of($numbers)
    ->partialIntersectionWith($numerics, $oddNumbers)
    ->toArray();
// 1, 3, 4, 5, 6, 7, 9

Partial Intersection Coercive With

Return a stream partially intersecting the stream with the input iterables using type coercion.


use IterTools\Stream;

$languages = ['php', 'python', 'c++', 'java', 'c#', 'javascript', 'typescript']; $scriptLanguages = ['php', 'python', 'javascript', 'typescript']; $supportsInterfaces = ['php', 'java', 'c#', 'typescript'];

$stream = Stream::of($languages)

->partialIntersectionCoerciveWith(2, $scriptLanguages, $supportsInterfaces)
->toArray();

// 'php', 'python', 'java', 'typescript', 'c#', 'javascript'


#### Reindex
Return a new stream of key-value elements reindexed by the key indexer function.

use IterTools\Single;

$data = [
    [
        'title'   => 'Star Wars: Episode IV ? A New Hope',
        'episode' => 'IV',
        'year'    => 1977,
    ],
    [
        'title'   => 'Star Wars: Episode V ? The Empire Strikes Back',
        'episode' => 'V',
        'year'    => 1980,
    ],
    [
        'title' => 'Star Wars: Episode VI ? Return of the Jedi',
        'episode' => 'VI',
        'year' => 1983,
    ],
];
$reindexFunc = fn (array $swFilm) => $swFilm['episode'];

$reindexResult = Stream::of($data)
    ->reindex($reindexFunc)
    ->toAssociativeArray();
// [
//     'IV' => [
//         'title'   => 'Star Wars: Episode IV ? A New Hope',
//         'episode' => 'IV',
//         'year'    => 1977,
//     ],
//     'V' => [
//         'title'   => 'Star Wars: Episode V ? The Empire Strikes Back',
//         'episode' => 'V',
//         'year'    => 1980,
//     ],
//     'VI' => [
//         'title' => 'Star Wars: Episode VI ? Return of the Jedi',
//         'episode' => 'VI',
//         'year' => 1983,
//     ],
// ]

Reverse

Reverse the elements of a stream.


use IterTools\Stream;

$words = ['are', 'you', 'as' ,'bored', 'as', 'I', 'am'];

$reversed = Stream::of($words)

->reverse()
->toString(' ');

// am I as bored as you are


#### Running Average
Return a stream accumulating the running average (mean) over the stream.

use IterTools\Stream;

$input = [1, 3, 5];

$result = Stream::of($input)
    ->runningAverage()
    ->toArray();
// 1, 2, 3

Running Difference

Return a stream accumulating the running difference over the stream.


use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($input)

->runningDifference()
->toArray();

// -1, -3, -6, -10, -15


#### Running Max
Return a stream accumulating the running max over the stream.

use IterTools\Stream;

$input = [1, -1, 2, -2, 3, -3];

$result = Stream::of($input)
    ->runningMax()
    ->toArray();
// 1, 1, 2, 2, 3, 3

Running Min

Return a stream accumulating the running min over the stream.


use IterTools\Stream;

$input = [1, -1, 2, -2, 3, -3];

$result = Stream::of($input)

->runningMin()
->toArray();

// 1, -1, -1, -2, -2, -3


#### Running Product
Return a stream accumulating the running product over the stream.

use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($input)
    ->runningProduct()
    ->toArray();
// 1, 2, 6, 24, 120

Running Total

Return a stream accumulating the running total over the stream.


use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($input)

->runningTotal()
->toArray();

// 1, 3, 6, 10, 15


#### Slice
Extract a slice of the stream.

use IterTools\Stream;

$olympics = [1992, 1994, 1996, 1998, 2000, 2002, 2004, 2006, 2008, 2010, 2012, 2014, 2016, 2018, 2020, 2022];

$summerOlympics = Stream::of($olympics)
    ->slice(0, 8, 2)
    ->toArray();
// [1992, 1996, 2000, 2004, 2008, 2012, 2016, 2020]

Sort

Sorts the stream.


If comparator is not provided, the elements of the iterable source must be comparable.

use IterTools\Stream;

$input = [3, 4, 5, 9, 8, 7, 1, 6, 2];

$result = Stream::of($input)

->sort()
->toArray();

// 1, 2, 3, 4, 5, 6, 7, 8, 9


#### Symmetric difference With
Return a stream of the symmetric difference of the stream and the given iterables.

Note: If input iterables produce duplicate items, then multiset intersection rules apply.

use IterTools\Stream;

$a = [1, 2, 3, 4, 7];
$b = ['1', 2, 3, 5, 8];
$c = [1, 2, 3, 6, 9];

$stream = Stream::of($a)
    ->symmetricDifferenceWith($b, $c)
    ->toArray();
// '1', 4, 5, 6, 7, 8, 9

Symmetric difference Coercive With

Return a stream of the symmetric difference of the stream and the given iterables using type coercion.


Note: If input iterables produce duplicate items, then multiset intersection rules apply.

use IterTools\Stream;

$a = [1, 2, 3, 4, 7]; $b = ['1', 2, 3, 5, 8]; $c = [1, 2, 3, 6, 9];

$stream = Stream::of($a)

->symmetricDifferenceCoerciveWith($b, $c)
->toArray();

// 4, 5, 6, 7, 8, 9


#### Take While
Keep elements from the stream as long as the predicate is true.

If no predicate is provided, the boolean value of the data is used.

use IterTools\Stream;

$input = [1, -1, 2, -2, 3, -3];

$result = Stream::of($input)
    ->takeWhile(fn ($value) => abs($value) < 3)
    ->toArray();
// 1, -1, 2, -2

Zip With

Return a stream consisting of multiple iterable collections streamed simultaneously.


For uneven lengths, iterations stops when the shortest iterable is exhausted.

use IterTools\Stream;

$input = [1, 2, 3];

$stream = Stream::of($input)

->zipWith([4, 5, 6])
->zipWith([7, 8, 9])
->toArray();

// [1, 4, 7], [2, 5, 8], [3, 6, 9]


#### Zip Longest With
Return a stream consisting of multiple iterable collections streamed simultaneously.

  • Iteration continues until the longest iterable is exhausted.
  • For uneven lengths, the exhausted iterables will produce null for the remaining iterations.
use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$stream = Stream::of($input)
    ->zipLongestWith([4, 5, 6])
    ->zipLongestWith([7, 8, 9, 10]);

foreach ($stream as $zipped) {
    // [1, 4, 7], [2, 5, 8], [3, 6, 9], [4, null, 10], [null, null, 5]
}

Zip Equal With

Return a stream consisting of multiple iterable collectionso f equal lengths streamed simultaneously.


Works like `Stream::zipWith()` method but throws \LengthException if lengths not equal,
i.e., at least one iterator ends before the others.

use IterTools\Stream;

$input = [1, 2, 3];

$stream = Stream::of($input)

->zipEqualWith([4, 5, 6])
->zipEqualWith([7, 8, 9]);

foreach ($stream as $zipped) {

// [1, 4, 7], [2, 5, 8], [3, 6, 9]

}


### Stream Terminal Operations

#### Stream Summary Terminal Operations
##### All Match
Returns true if all elements match the predicate function.

use IterTools\Summary;

$finalFantasyNumbers = [4, 5, 6];
$isOnSuperNintendo   = fn ($ff) => $ff >= 4 && $ff <= 6;

$boolean = Stream::of($finalFantasyNumbers)
    ->allMatch($isOnSuperNintendo);
// true

Any Match

Returns true if any element matches the predicate function.


use IterTools\Summary;

$answers = ['fish', 'towel', 42, "don't panic"]; $isUltimateAnswer = fn ($a) => a == 42;

$boolean = Stream::of($answers)

->anyMatch($answers, $isUltimateAnswer);

// true


##### Are Permutations With
Returns true if all iterables are permutations with stream.

use IterTools\Summary;

$rite = ['r', 'i', 't', 'e'];
$reit = ['r', 'e', 'i', 't'];
$tier = ['t', 'i', 'e', 'r'];
$tire = ['t', 'i', 'r', 'e'];
$trie = ['t', 'r', 'i', 'e'];

$boolean = Stream::of(['i', 't', 'e', 'r'])
    ->arePermutationsWith($rite, $reit, $tier, $tire, $trie);
// true

Are Permutations Coercive With

Returns true if all iterables are permutations with stream with type coercion.


use IterTools\Summary;

$set2 = [2.0, '1', 3]; $set3 = [3, 2, 1];

$boolean = Stream::of([1, 2.0, '3'])

->arePermutationsCoerciveWith($set2, $set3);

// true


##### Exactly N
Returns true if exactly n items are true according to a predicate function.

- Predicate is optional.
- Default predicate is boolean value of each item.

use IterTools\Summary;

$twoTruthsAndALie = [true, true, false];
$n                = 2;

$boolean = Stream::of($twoTruthsAndALie)->exactlyN($n);
// true

Is Partitioned

Returns true if all elements of given collection that satisfy the predicate appear before all elements that don't.

  • Returns true for empty collection or for collection with single item.
  • Default predicate if not provided is the boolean value of each data item.

use IterTools\Summary;

$numbers = [0, 2, 4, 1, 3, 5]; $evensBeforeOdds = fn ($item) => $item % 2 === 0;

$boolean = Stream::($numbers)

->isPartitioned($evensBeforeOdds);

// true


##### Is Sorted
Returns true if iterable source is sorted in ascending order; otherwise false.

Items of iterable source must be comparable.

Returns true if iterable source is empty or has only one element.

use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($input)
    ->isSorted();
// true

$input = [1, 2, 3, 2, 1];

$result = Stream::of($input)
    ->isSorted();
// false

Is Reversed

Returns true if iterable source is sorted in reverse descending order; otherwise false.


Items of iterable source must be comparable.

Returns true if iterable source is empty or has only one element.

use IterTools\Stream;

$input = [5, 4, 3, 2, 1];

$result = Stream::of($input)

->isReversed();

// true

$input = [1, 2, 3, 2, 1];

$result = Stream::of($input)

->isReversed();

// false


##### None Match
Returns true if no element matches the predicate function.

use IterTools\Summary;

$grades         = [45, 50, 61, 0];
$isPassingGrade = fn ($grade) => $grade >= 70;

$boolean = Stream::of($grades)->noneMatch($isPassingGrade);
// true

Same With

Returns true if iterable source and all given collections are the same.


For empty iterables list returns true.

use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($input)

->sameWith([1, 2, 3, 4, 5]);

// true

$result = Stream::of($input)

->sameWith([5, 4, 3, 2, 1]);

// false


##### Same Count With
Returns true if iterable source and all given collections have the same lengths.

For empty iterables list returns true.

use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($input)
    ->sameCountWith([5, 4, 3, 2, 1]);
// true

$result = Stream::of($input)
    ->sameCountWith([1, 2, 3]);
// false

Stream Reduction Terminal Operations

To Average

Reduces iterable source to the mean average of its items.


Returns null if iterable source is empty.

use IterTools\Stream;

$input = [2, 4, 6, 8];

$result = Stream::of($iterable)

->toAverage();

// 5


##### To Count
Reduces iterable source to its length.

use IterTools\Stream;

$input = [10, 20, 30, 40, 50];

$result = Stream::of($iterable)
    ->toCount();
// 5

To First

Reduces iterable source to its first element.


Throws `\LengthException` if iterable source is empty.

use IterTools\Stream;

$input = [10, 20, 30];

$result = Stream::of($input)

->toFirst();

// 10


##### To First And Last
Reduces iterable source to its first and last elements.

Throws \LengthException if iterable source is empty.

use IterTools\Stream;

$input = [10, 20, 30];

$result = Stream::of($input)
    ->toFirstAndLast();
// [10, 30]

To Last

Reduces iterable source to its last element.


Throws `\LengthException` if iterable source is empty.

use IterTools\Stream;

$input = [10, 20, 30];

$result = Stream::of($input)

->toLast();

// 30


##### To Max
Reduces iterable source to its max value.

  • Optional callable param `$compareBy` must return comparable value.
  • If `$compareBy` is not provided then items of given collection must be comparable.
  • Returns null if collection is empty.
use IterTools\Stream;

$input = [1, -1, 2, -2, 3, -3];

$result = Stream::of($iterable)
    ->toMax();
// 3

To Min

Reduces iterable source to its min value.


- Optional callable param `$compareBy` must return comparable value.
- If `$compareBy` is not provided then items of given collection must be comparable.
- Returns null if collection is empty.

use IterTools\Stream;

$input = [1, -1, 2, -2, 3, -3];

$result = Stream::of($iterable)

->toMin();

// -3


##### To Min Max
Reduces iterable source to array of its upper and lower bounds (max and min).

  • Optional callable param `$compareBy` must return comparable value.
  • If `$compareBy` is not provided then items of given collection must be comparable.
  • Returns `[null, null]` if given collection is empty.
use IterTools\Stream;

$numbers = [1, 2, 7, -1, -2, -3];

[$min, $max] = Stream::of($numbers)
    ->toMinMax();
// [-3, 7]

To Product

Reduces iterable source to the product of its items.


Returns null if iterable source is empty.

use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($iterable)

->toProduct();

// 120


##### To Range
Reduces iterable source to its range (difference between max and min).

Returns 0 if iterable source is empty.

use IterTools\Stream;

$grades = [100, 90, 80, 85, 95];

$range = Stream::of($numbers)
    ->toRange();
// 20

To String

Reduces to a string joining all elements.

  • Optional separator to insert between items.
  • Optional prefix to prepend to the string.
  • Optional suffix to append to the string.

use IterTools\Stream;

$words = ['IterTools', 'PHP', 'v1.0'];

$string = Stream::of($words)->toString($words); // IterToolsPHPv1.0 $string = Stream::of($words)->toString($words, '-'); // IterTools-PHP-v1.0 $string = Stream::of($words)->toString($words, '-', 'Library: '); // Library: IterTools-PHP-v1.0 $string = Stream::of($words)->toString($words, '-', 'Library: ', '!'); // Library: IterTools-PHP-v1.0!


##### To Sum
Reduces iterable source to the sum of its items.

use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($iterable)
    ->toSum();
// 15

To Value

Reduces iterable source like array_reduce() function.

But unlike array_reduce(), it works with all iterable types.


use IterTools\Stream;

$input = [1, 2, 3, 4, 5];

$result = Stream::of($iterable)

->toValue(fn ($carry, $item) => $carry + $item);

// 15


#### Transformation Terminal Operations

##### To Array
Returns an array of stream elements.

use IterTools\Stream;

$array = Stream::of([1, 1, 2, 2, 3, 4, 5])
    ->distinct()
    ->map(fn ($x) => $x2)
    ->toArray();
// [1, 4, 9, 16, 25]

To Associative Array

Returns a key-value map of stream elements.


use IterTools\Stream;

$keyFunc

$array = Stream::of(['message 1', 'message 2', 'message 3'])

->map('strtoupper')
->toAssociativeArray(
    fn ($s) => \md5($s),
    fn ($s) => $s
);

// [3b3f2272b3b904d342b2d0df2bf31ed4 => MESSAGE 1, 43638d919cfb8ea31979880f1a2bb146 => MESSAGE 2, ... ]


##### Tee
Return several independent (duplicated) streams.

use IterTools\Transform;

$daysOfWeek = ['Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat', 'Sun'];
$count = 3;

[$week1Stream, $week2Stream, $week3Stream] = Stream::of($daysOfWeek)
    ->tee($count);

// Each $weekStream contains ['Mon', 'Tues', 'Wed', 'Thurs', 'Fri', 'Sat', 'Sun']

Side Effect Terminal Operations

Call For Each

Perform an action via a callable on each item in the stream.


use IterTools\Stream;

$languages = ['PHP', 'Python', 'Java', 'Go']; $mascots = ['elephant', 'snake', 'bean', 'gopher'];

$zipPrinter = fn ($zipped) => print("{$zipped[0]}'s mascot: {$zipped[1]}");

Stream::of($languages)

->zipWith($mascots)
->callForEach($zipPrinter);

// PHP's mascot: elephant // Python's mascot: snake // ...


##### Print
Prints each item in the stream.

* Items must be printable.

use IterTools\Stream;

$words = ['IterTools', 'PHP', 'v1.0'];

Stream::of($words)->print();                       // IterToolsPHPv1.0
Stream::of($words)->print('-');                    // IterTools-PHP-v1.0
Stream::of($words)->print('-', 'Library: ');       // Library: IterTools-PHP-v1.0
Stream::of($words)->print('-', 'Library: ', '!');  // Library: IterTools-PHP-v1.0!

Print Line

Prints each item in the stream on its own line.

  • Items must be printable.

use IterTools\Stream;

$words = ['IterTools', 'PHP', 'v1.0'];

Stream::of($words)->printLn(); // IterTools // PHP // v1.0


##### Print R
`print_r` each item in the stream.

use IterTools\Stream;

$items = [$string, $array, $object];

Stream::of($words)->printR();
// print_r output

To CSV File

Write the contents of the stream to a CSV file.


use IterTools\Stream;

$starWarsMovies = [

['Star Wars: Episode IV ? A New Hope', 'IV', 1977],
['Star Wars: Episode V ? The Empire Strikes Back', 'V', 1980],
['Star Wars: Episode VI ? Return of the Jedi', 'VI', 1983],

]; $header = ['title', 'episode', 'year'];

Stream::of($data)

->toCsvFile($fh, $header);

// title,episode,year // "Star Wars: Episode IV ? A New Hope",IV,1977 // "Star Wars: Episode V ? The Empire Strikes Back",V,1980 // "Star Wars: Episode VI ? Return of the Jedi",VI,1983


##### To File
Write the contents of the stream to a file.

use IterTools\Stream;

$data = ['item1', 'item2', 'item3'];
$header = '<ul>';
$footer = '</ul>';

Stream::of($data)
    ->map(fn ($item) => "  <li>$item</li>")
    ->toFile($fh, \PHP_EOL, $header, $footer);

// <ul>
//   <li>item1</li>
//   <li>item2</li>
//   <li>item3</li>
// </ul>

Var Dump

var_dump each item in the stream.


use IterTools\Stream;

$items = [$string, $array, $object];

Stream::of($words)->varDump(); // var_dump output


## Composition
IterTools can be combined to create new iterable compositions.
#### Zip Strings

use IterTools\Multi; use IterTools\Single;

$letters = 'ABCDEFGHI'; $numbers = '123456789';

foreach (Multi::zip(Single::string($letters), Single::string($numbers)) as [$letter, $number]) {

 $battleshipMove = new BattleshipMove($letter, $number)

} // A1, B2, C3


#### Chain Strings

use IterTools\Multi; use IterTools\Single;

$letters = 'abc'; $numbers = '123';

foreach (Multi::chain(Single::string($letters), Single::string($numbers)) as $character) {

print($character);

} // a, b, c, 1, 2, 3


## Strict and Coercive Types

When there is an option, the default will do strict type comparisons:

* scalars: compares strictly by type
* objects: always treats different instances as not equal to each other
* arrays: compares serialized

When type coercion (non-strict types) is available and enabled via optional flag:

* scalars: compares by value via type juggling
* objects: compares serialized
* arrays: compares serialized

Standards
---------

IterTools PHP conforms to the following standards:

 * PSR-1  - Basic coding standard (http://www.php-fig.org/psr/psr-1/)
 * PSR-4  - Autoloader (http://www.php-fig.org/psr/psr-4/)
 * PSR-12 - Extended coding style guide (http://www.php-fig.org/psr/psr-12/)

License
-------

IterTools PHP is licensed under the MIT License.

  Files folder image Files  
File Role Description
Files folder image.github (1 directory)
Files folder imagedocs (1 file, 1 directory)
Files folder imagesrc (11 files, 1 directory)
Files folder imagetests (4 files, 16 directories)
Accessible without login Plain text file CHANGELOG.md Data Auxiliary data
Accessible without login Plain text file composer.json Data Auxiliary data
Accessible without login Plain text file LICENSE Lic. License text
Accessible without login Plain text file Makefile Data Auxiliary data
Accessible without login Plain text file README.md Doc. Documentation

  Files folder image Files  /  .github  
File Role Description
Files folder imageworkflows (3 files)

  Files folder image Files  /  .github  /  workflows  
File Role Description
  Accessible without login Plain text file test_develop_and_main.yml Data Auxiliary data
  Accessible without login Plain text file test_other_branches.yml Data Auxiliary data
  Accessible without login Plain text file test_pull_request.yml Data Auxiliary data

  Files folder image Files  /  docs  
File Role Description
Files folder imageimage (1 file)
  Accessible without login Plain text file README-RU.md Doc. Documentation

  Files folder image Files  /  docs  /  image  
File Role Description
  Accessible without login Image file IterToolsLogo.png Icon Icon image

  Files folder image Files  /  src  
File Role Description
Files folder imageUtil (4 files, 1 directory)
  Plain text file File.php Class Class source
  Plain text file Infinite.php Class Class source
  Plain text file Math.php Class Class source
  Plain text file Multi.php Class Class source
  Plain text file Random.php Class Class source
  Plain text file Reduce.php Class Class source
  Plain text file Set.php Class Class source
  Plain text file Single.php Class Class source
  Plain text file Sort.php Class Class source
  Plain text file Summary.php Class Class source
  Plain text file Transform.php Class Class source

  Files folder image Files  /  src  /  Util  
File Role Description
Files folder imageIterators (4 files)
  Plain text file NoValueMonad.php Class Class source
  Plain text file ResourcePolicy.php Class Class source
  Plain text file UniqueExtractor.php Class Class source
  Plain text file UsageMap.php Class Class source

  Files folder image Files  /  src  /  Util  /  Iterators  
File Role Description
  Plain text file JustifyMultipleIterator.php Class Class source
  Plain text file RelatedIterator.php Class Class source
  Plain text file StrictMultipleIterator.php Class Class source
  Plain text file TeeIterator.php Class Class source

  Files folder image Files  /  tests  
File Role Description
Files folder imageCommon (1 file)
Files folder imageComposition (1 file)
Files folder imageFile (2 files)
Files folder imageFixture (6 files)
Files folder imageInfinite (3 files)
Files folder imageMath (6 files)
Files folder imageMulti (1 file, 3 directories)
Files folder imageRandom (5 files)
Files folder imageReduce (13 files)
Files folder imageSet (7 files)
Files folder imageSingle (21 files)
Files folder imageSort (2 files)
Files folder imageStream (15 files)
Files folder imageSummary (11 files)
Files folder imageTransform (4 files)
Files folder imageUtil (3 files)
  Accessible without login Plain text file bootstrap.php Aux. Auxiliary script
  Accessible without login Plain text file coding_standard.xml Data Auxiliary data
  Accessible without login Plain text file phpstan.neon Data Auxiliary data
  Accessible without login Plain text file phpunit.xml Data Auxiliary data

  Files folder image Files  /  tests  /  Common  
File Role Description
  Plain text file IsIterableTest.php Class Class source

  Files folder image Files  /  tests  /  Composition  
File Role Description
  Plain text file StringTest.php Class Class source

  Files folder image Files  /  tests  /  File  
File Role Description
  Plain text file ReadCsvTest.php Class Class source
  Plain text file ReadLinesTest.php Class Class source

  Files folder image Files  /  tests  /  Fixture  
File Role Description
  Plain text file ArrayIteratorFixture.php Class Class source
  Plain text file CountableIteratorAggregateFixture.php Class Class source
  Plain text file DataProvider.php Class Class source
  Plain text file FileFixture.php Class Class source
  Plain text file GeneratorFixture.php Class Class source
  Plain text file IteratorAggregateFixture.php Class Class source

  Files folder image Files  /  tests  /  Infinite  
File Role Description
  Plain text file CountTest.php Class Class source
  Plain text file CycleTest.php Class Class source
  Plain text file RepeatTest.php Class Class source

  Files folder image Files  /  tests  /  Math  
File Role Description
  Plain text file RunningAverageTest.php Class Class source
  Plain text file RunningDifferenceTest.php Class Class source
  Plain text file RunningMaxTest.php Class Class source
  Plain text file RunningMinTest.php Class Class source
  Plain text file RunningProductTest.php Class Class source
  Plain text file RunningTotalTest.php Class Class source

  Files folder image Files  /  tests  /  Multi  
File Role Description
Files folder imageZip (7 files)
Files folder imageZipEqual (7 files)
Files folder imageZipLongest (7 files)
  Plain text file ChainTest.php Class Class source

  Files folder image Files  /  tests  /  Multi  /  Zip  
File Role Description
  Plain text file ArrayTest.php Class Class source
  Plain text file ErrorTest.php Class Class source
  Plain text file GeneratorTest.php Class Class source
  Plain text file IteratorTest.php Class Class source
  Plain text file IteratorToArrayTest.php Class Class source
  Plain text file MixedTest.php Class Class source
  Plain text file TraversableTest.php Class Class source

  Files folder image Files  /  tests  /  Multi  /  ZipEqual  
File Role Description
  Plain text file ArrayTest.php Class Class source
  Plain text file ErrorTest.php Class Class source
  Plain text file GeneratorTest.php Class Class source
  Plain text file IteratorTest.php Class Class source
  Plain text file IteratorToArrayTest.php Class Class source
  Plain text file MixedTest.php Class Class source
  Plain text file TraversableTest.php Class Class source

  Files folder image Files  /  tests  /  Multi  /  ZipLongest  
File Role Description
  Plain text file ArrayTest.php Class Class source
  Plain text file ErrorTest.php Class Class source
  Plain text file GeneratorTest.php Class Class source
  Plain text file IteratorTest.php Class Class source
  Plain text file IteratorToArrayTest.php Class Class source
  Plain text file MixedTest.php Class Class source
  Plain text file TraversableTest.php Class Class source

  Files folder image Files  /  tests  /  Random  
File Role Description
  Plain text file ChoiceTest.php Class Class source
  Plain text file CoinFlipTest.php Class Class source
  Plain text file NumberTest.php Class Class source
  Plain text file PercentageTest.php Class Class source
  Plain text file RockPaperScissorsTest.php Class Class source

  Files folder image Files  /  tests  /  Reduce  
File Role Description
  Plain text file ToAverageTest.php Class Class source
  Plain text file ToCountTest.php Class Class source
  Plain text file ToFirstAndLastTest.php Class Class source
  Plain text file ToFirstTest.php Class Class source
  Plain text file ToLastTest.php Class Class source
  Plain text file ToMaxTest.php Class Class source
  Plain text file ToMinMaxTest.php Class Class source
  Plain text file ToMinTest.php Class Class source
  Plain text file ToProductTest.php Class Class source
  Plain text file ToRangeTest.php Class Class source
  Plain text file ToStringTest.php Class Class source
  Plain text file ToSumTest.php Class Class source
  Plain text file ToValueTest.php Class Class source

  Files folder image Files  /  tests  /  Set  
File Role Description
  Plain text file DistinctTest.php Class Class source
  Plain text file IntersectionCoerciveTest.php Class Class source
  Plain text file IntersectionTest.php Class Class source
  Plain text file PartialIntersectionCoerciveTest.php Class Class source
  Plain text file PartialIntersectionTest.php Class Class source
  Plain text file SymmetricDifferenceCoerciveTest.php Class Class source
  Plain text file SymmetricDifferenceTest.php Class Class source

  Files folder image Files  /  tests  /  Single  
File Role Description
  Plain text file ChunkwiseOverlapTest.php Class Class source
  Plain text file ChunkwiseTest.php Class Class source
  Plain text file CompressAssociativeTest.php Class Class source
  Plain text file CompressTest.php Class Class source
  Plain text file DropWhileTest.php Class Class source
  Plain text file FilterFalseTest.php Class Class source
  Plain text file FilterKeysTest.php Class Class source
  Plain text file FilterTest.php Class Class source
  Plain text file FilterTrueTest.php Class Class source
  Plain text file FlatMapTest.php Class Class source
  Plain text file FlattenTest.php Class Class source
  Plain text file GroupByTest.php Class Class source
  Plain text file LimitTest.php Class Class source
  Plain text file MapTest.php Class Class source
  Plain text file PairwiseTest.php Class Class source
  Plain text file ReindexTest.php Class Class source
  Plain text file RepeatTest.php Class Class source
  Plain text file ReverseTest.php Class Class source
  Plain text file SliceTest.php Class Class source
  Plain text file StringTest.php Class Class source
  Plain text file TakeWhileTest.php Class Class source

  Files folder image Files  /  tests  /  Sort  
File Role Description
  Plain text file AsortTest.php Class Class source
  Plain text file SortTest.php Class Class source

  Files folder image Files  /  tests  /  Stream  
File Role Description
  Plain text file ExampleUsageTest.php Class Class source
  Plain text file FileSourceTest.php Class Class source
  Plain text file FileTerminalTest.php Class Class source
  Plain text file FluentTest.php Class Class source
  Plain text file InfiniteTest.php Class Class source
  Plain text file MathTest.php Class Class source
  Plain text file MultiTest.php Class Class source
  Plain text file PrintTest.php Class Class source
  Plain text file ReduceTest.php Class Class source
  Plain text file SetTest.php Class Class source
  Plain text file SingleTest.php Class Class source
  Plain text file SortTest.php Class Class source
  Plain text file SourceTest.php Class Class source
  Plain text file SummaryTest.php Class Class source
  Plain text file TransformationTest.php Class Class source

  Files folder image Files  /  tests  /  Summary  
File Role Description
  Plain text file AllMatchTest.php Class Class source
  Plain text file AnyMatchTest.php Class Class source
  Plain text file ArePermutationsCoerciveTest.php Class Class source
  Plain text file ArePermutationsTest.php Class Class source
  Plain text file ExactlyNTest.php Class Class source
  Plain text file IsPartitionedTest.php Class Class source
  Plain text file IsReversedTest.php Class Class source
  Plain text file IsSortedTest.php Class Class source
  Plain text file NoneMatchTest.php Class Class source
  Plain text file SameCountTest.php Class Class source
  Plain text file SameTest.php Class Class source

  Files folder image Files  /  tests  /  Transform  
File Role Description
  Plain text file TeeTest.php Class Class source
  Plain text file ToArrayTest.php Class Class source
  Plain text file ToAssociativeArrayTest.php Class Class source
  Plain text file ToIteratorTest.php Class Class source

  Files folder image Files  /  tests  /  Util  
File Role Description
  Plain text file StrictMultipleIteratorTest.php Class Class source
  Plain text file TeeIteratorTest.php Class Class source
  Plain text file UniqueExtractorTest.php Class Class source

 Version Control Unique User Downloads Download Rankings  
 100%
Total:59
This week:1
All time:10,473
This week:560Up