Stars: 2709
Forks: 15
Pull Requests: 11
Issues: 2
Watchers: 8
Last Updated: 2023-06-03 14:29:38
PHP arrays and collections made easy
License: MIT License
Languages: PHP, HTML, SCSS, JavaScript
Easy and elegant handling of PHP arrays by using an array-like collection object as offered by jQuery and Laravel Collections.
composer req aimeos/mapTable of contents
Instead of:
$list = [['id' => 'one', 'value' => 'value1'], ['id' => 'two', 'value' => 'value2'], null];
$list[] = ['id' => 'three', 'value' => 'value3']; // add element
unset( $list[0] ); // remove element
$list = array_filter( $list ); // remove empty values
sort( $list ); // sort elements
$pairs = array_column( $list, 'value', 'id' ); // create ['three' => 'value3']
$value = reset( $pairs ) ?: null; // return first valueOnly use:
$list = [['id' => 'one', 'value' => 'value1'], ['id' => 'two', 'value' => 'value2'], null];
$value = map( $list ) // create Map
->push( ['id' => 'three', 'value' => 'value3'] ) // add element
->remove( 0 ) // remove element
->filter() // remove empty values
->sort() // sort elements
->col( 'value', 'id' ) // create ['three' => 'value3']
->first(); // return first valueYou can still use:
$map[] = ['id' => 'three', 'value' => 'value3'];
$value = $map[0];
count( $map );
foreach( $map as $key => value );Use callbacks:
Also, the map object allows you to pass anonymous functions to a lot of methods, e.g.:
$map->each( function( $val, $key ) {
echo $key . ': ' . $val;
} );jQuery style:
If your map elements are objects, you can call their methods for each object and get the result as new map just like in jQuery:
// MyClass implements setStatus() (returning $this) and getCode() (initialized by constructor)
$map = Map::from( ['a' => new MyClass( 'x' ), 'b' => new MyClass( 'y' )] );
$map->setStatus( 1 )->getCode()->toArray();This will call setStatus( 1 ) on both objects. If setStatus() implementation
returns $this, the new map will also contain:
['a' => MyClass(), 'b' => MyClass()]On those new map elements, getCode() will be called which returns x for the
first object and y for the second. The map created from the results of getCode()
will return:
['a' => 'x', 'b' => 'y']function map function is_map __call __callStatic __construct after all arsort asort at avg before bool call cast chunk clear clone col collapse combine compare concat contains copy count countBy dd delimiter diff diffAssoc diffKeys dump duplicates each empty equals every except explode filter find first firstKey flat flip float from fromJson get getIterator grep groupBy has if ifAny ifEmpty implements in includes index insertAfter insertAt insertBefore inString int intersect intersectAssoc intersectKeys is isEmpty isNumeric isObject isScalar join jsonSerialize keys krsort ksort last lastKey ltrim map max merge method min none nth offsetExists offsetGet offsetSet offsetUnset only order pad partition pipe pluck pop pos prefix prepend pull push put random reduce reject rekey remove replace reverse rsort rtrim search sep set shift shuffle skip slice some sort splice split strAfter strContains strContainsAll strEnds strEndsAll string strLower strReplace strStarts strStartsAll strUpper suffix sum take tap times toArray toJson toUrl transpose traverse tree trim uasort uksort union unique unshift usort values walk where zip
Tests if the variable is a map object
function is_map( $var ) : bool$var Variable to testExamples:
is_map( new Map() );
// true
is_map( [] );
// falseReturns a new map for the passed elements.
function map( $elements = [] ) : \Aimeos\Map$elements List of elements or single valueExamples:
// array
map( [] );
// null
map( null );
// scalar
map( 'a' );
// object
map( new \stdClass() );
// map object
map( new Map() );
// iterable object
map( new ArrayObject() );
// closure evaluated lazily
map( function() {
return [];
} );Creates a new map object.
public function __construct( $elements = [] )$elements Single element, list of elements, Map object, iterable objects or iterators, everything elseExamples:
// array
new Map( [] );
// null
new Map( null );
// scalar
new Map( 'a' );
// object
new Map( new \stdClass() );
// map object
new Map( new Map() );
// iterable object
new Map( new ArrayObject() );
// closure evaluated lazily
new Map( function() {
return [];
} );Handles dynamic calls to custom methods for the class.
public function __call( string $name, array $params )$name Method name$params List of parametersCalls a custom method added by Map::method(). The called method
has access to the internal array by using $this->items.
Examples:
Map::method( 'case', function( $case = CASE_LOWER ) {
return new self( array_change_key_case( $this->items, $case ) );
} );
Map::from( ['a' => 'bar'] )->case( CASE_UPPER );
// ['A' => 'bar']This does also allow calling object methods if the items are objects:
$item = new MyClass(); // with method setStatus() (returning $this) and getCode() implemented
Map::from( [$item, $item] )->setStatus( 1 )->getCode()->toArray();This will call the setStatus() method of each element in the map and
use their return values to create a new map. On the new map, the getCode()
method is called for every element and its return values are also stored in a new
map. This last map is then returned and the map keys from the original map are
preserved in the returned map.
If the elements are not objects, they are skipped and if this applies to all elements, an empty map is returned. In case the map contains objects of mixed types and one of them doesn't implement the called method, an error will be thrown.
Handles static calls to custom methods for the class.
public static function __callStatic( string $name, array $params )$name Method name$params List of parametersCalls a custom method added by Map::method() statically. The called method has no access to the internal array because no object is available.
Examples:
Map::method( 'foo', function( $arg1, $arg2 ) {} );
Map::foo( $arg1, $arg2 );Returns the elements after the given one.
public function after( $value ) : self$value Value or function with (item, key) parametersThe keys are preserved using this method.
Examples:
Map::from( [0 => 'b', 1 => 'a'] )->after( 'b' );
// [1 => 'a']
Map::from( ['a' => 1, 'b' => 0] )->after( 1 );
// ['b' => 0]
Map::from( [0 => 'b', 1 => 'a'] )->after( 'c' );
// []
Map::from( ['a', 'c', 'b'] )->after( function( $item, $key ) {
return $item >= 'c';
} );
// [2 => 'b']Returns the elements as a plain array.
public function all() : arrayExamples:
Map::from( ['a'] )->all();
// ['a']Sorts all elements in reverse order and maintains the key association.
public function arsort( int $options = SORT_REGULAR ) : self$options Sort options for arsort()The keys are preserved using this method and no new map is created.
The $options parameter modifies how the values are compared. Possible parameter values are:
setlocale()natsort()Examples:
Map::from( ['b' => 0, 'a' => 1] )->arsort();
// ['a' => 1, 'b' => 0]
Map::from( ['a', 'b'] )->arsort();
// ['b', 'a']
Map::from( [0 => 'C', 1 => 'b'] )->arsort();
// [1 => 'b', 0 => 'C']
Map::from( [0 => 'C', 1 => 'b'] )->arsort( SORT_STRING|SORT_FLAG_CASE );
// [0 => 'C', 1 => 'b'] because 'C' -> 'c' and 'c' > 'b'Sorts all elements and maintains the key association.
public function asort( int $options = SORT_REGULAR ) : self$options Sort options for asort()The keys are preserved using this method and no new map is created.
The parameter modifies how the values are compared. Possible parameter values are:
setlocale()natsort()Examples:
Map::from( ['a' => 1, 'b' => 0] )->asort();
// ['b' => 0, 'a' => 1]
Map::from( [0 => 'b', 1 => 'a'] )->asort();
// [1 => 'a', 0 => 'b']
Map::from( [0 => 'C', 1 => 'b'] )->asort();
// [0 => 'C', 1 => 'b'] because 'C' < 'b'
Map::from( [0 => 'C', 1 => 'b'] )->arsort( SORT_STRING|SORT_FLAG_CASE );
// [1 => 'b', 0 => 'C'] because 'C' -> 'c' and 'c' > 'b'Returns the value at the given position.
public function at( int $pos )$pos Position of the value in the mapThe position starts from zero and a position of "0" returns the first element of the map, "1" the second and so on. If the position is negative, the sequence will start from the end of the map.
Examples:
Map::from( [1, 3, 5] )->at( 0 );
// 1
Map::from( [1, 3, 5] )->at( 1 );
// 3
Map::from( [1, 3, 5] )->at( -1 );
// 5
Map::from( [1, 3, 5] )->at( 3 );
// NULLReturns the average of all integer and float values in the map.
public function avg( string $key = null ) : float$key Key or path to the values in the nested array or object to compute the average forThis does also work for multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. "key1/key2/key3"
to get "val" from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( [1, 3, 5] )->avg();
// 3
Map::from( [1, null, 5] )->avg();
// 2
Map::from( [1, 'sum', 5] )->avg();
// 2
Map::from( [['p' => 30], ['p' => 50], ['p' => 10]] )->avg( 'p' );
// 30
Map::from( [['i' => ['p' => 30]], ['i' => ['p' => 50]]] )->avg( 'i/p' );
// 40Returns the elements before the given one.
public function before( $value ) : self$value Value or function with (item, key) parametersThe keys are preserved using this method.
Examples:
Map::from( ['a' => 1, 'b' => 0] )->before( 0 );
// ['a' => 1]
Map::from( [0 => 'b', 1 => 'a'] )->before( 'a' );
// [0 => 'b']
Map::from( [0 => 'b', 1 => 'a'] )->before( 'c' );
// []
Map::from( ['a', 'c', 'b'] )->before( function( $item, $key ) {
return $key >= 1;
} );
// [0 => 'a']Returns an element by key and casts it to boolean if possible.
public function bool( $key, $default = false ) : bool$key Key or path to the requested item$default Default value if key isn't found (will be casted to bool)This does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( ['a' => true] )->bool( 'a' );
// true
Map::from( ['a' => '1'] )->bool( 'a' );
// true (casted to boolean)
Map::from( ['a' => 1.1] )->bool( 'a' );
// true (casted to boolean)
Map::from( ['a' => '10'] )->bool( 'a' );
// true (casted to boolean)
Map::from( ['a' => 'abc'] )->bool( 'a' );
// true (casted to boolean)
Map::from( ['a' => ['b' => ['c' => true]]] )->bool( 'a/b/c' );
// true
Map::from( [] )->bool( 'c', function() { return rand( 1, 2 ); } );
// true (value returned by closure is casted to boolean)
Map::from( [] )->bool( 'a', true );
// true (default value used)
Map::from( [] )->bool( 'a' );
// false
Map::from( ['b' => ''] )->bool( 'b' );
// false (casted to boolean)
Map::from( ['b' => null] )->bool( 'b' );
// false (null is not scalar)
Map::from( ['b' => [true]] )->bool( 'b' );
// false (arrays are not scalar)
Map::from( ['b' => '#resource'] )->bool( 'b' );
// false (resources are not scalar)
Map::from( ['b' => new \stdClass] )->bool( 'b' );
// false (objects are not scalar)
Map::from( [] )->bool( 'c', new \Exception( 'error' ) );
// throws exceptionCalls the given method on all items and returns the result.
public function call( string $name, array $params = [] ) : self$name Method name$params List of parametersThis method can call methods on the map entries that are also implemented
by the map object itself and are therefore not reachable when using the
magic __call() method. If some entries are not objects, they will be skipped.
The keys from the original map are preserved in the returned in the new map.
Examples:
$item = new MyClass( ['myprop' => 'val'] ); // implements methods get() and toArray()
Map::from( [$item, $item] )->call( 'get', ['myprop'] );
// ['val', 'val']
Map::from( [$item, $item] )->call( 'toArray' );
// [['myprop' => 'val'], ['myprop' => 'val']]Casts all entries to the passed type.
public function cast( string $type = 'string' ) : self$type Type to cast the values to ("string", "bool", "int", "float", "array", "object")Casting arrays and objects to scalar values won't return anything useful!
Examples:
Map::from( [true, 1, 1.0, 'yes'] )->cast();
// ['1', '1', '1.0', 'yes']
Map::from( [true, 1, 1.0, 'yes'] )->cast( 'bool' );
// [true, true, true, true]
Map::from( [true, 1, 1.0, 'yes'] )->cast( 'int' );
// [1, 1, 1, 0]
Map::from( [true, 1, 1.0, 'yes'] )->cast( 'float' );
// [1.0, 1.0, 1.0, 0.0]
Map::from( [new stdClass, new stdClass] )->cast( 'array' );
// [[], []]
Map::from( [[], []] )->cast( 'object' );
// [new stdClass, new stdClass]Chunks the map into arrays with the given number of elements.
public function chunk( int $size, bool $preserve = false ) : self$size Maximum size of the sub-arrays$preserve Preserve keys in new mapThe last chunk may contain less elements than the given number.
The sub-arrays of the returned map are plain PHP arrays. If you need Map objects, then wrap them with Map::from() when you iterate over the map.
Examples:
Map::from( [0, 1, 2, 3, 4] )->chunk( 3 );
// [[0, 1, 2], [3, 4]]
Map::from( ['a' => 0, 'b' => 1, 'c' => 2] )->chunk( 2 );
// [['a' => 0, 'b' => 1], ['c' => 2]]Removes all elements from the current map.
public function clear() : selfExamples:
Map::from( [0, 1] )->clear();
// internal : []Clones the map and all objects within.
public function clone() : selfThe objects within the Map are NOT the same as before but new cloned objects.
This is different to copy(), which doesn't clone the objects within.
The keys are preserved using this method.
Examples:
Map::from( [new \stdClass, new \stdClass] )->clone();
// [new \stdClass, new \stdClass]Returns the values of a single column/property from an array of arrays or list of elements in a new map.
public function col( string $valuecol = null, string $indexcol = null ) : self$valuecol Name or path of the value property$indexcol Name or path of the index propertyIf $indexcol is omitted, it's value is NULL or not set, the result will be indexed from 0-n. Items with the same value for $indexcol will overwrite previous items and only the last one will be part of the resulting map.
This does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( [['id' => 'i1', 'val' => 'v1'], ['id' => 'i2', 'val' => 'v2']] )->col( 'val' );
// ['v1', 'v2']
Map::from( [['id' => 'i1', 'val' => 'v1'], ['id' => 'i2', 'val' => 'v2']] )->col( 'val', 'id' );
// ['i1' => 'v1', 'i2' => 'v2']
Map::from( [['id' => 'i1', 'val' => 'v1'], ['id' => 'i2', 'val' => 'v2']] )->col( null, 'id' );
// ['i1' => ['id' => 'i1', 'val' => 'v1'], 'i2' => ['id' => 'i2', 'val' => 'v2']]
Map::from( [['id' => 'ix', 'val' => 'v1'], ['id' => 'ix', 'val' => 'v2']] )->col( null, 'id' );
// ['ix' => ['id' => 'ix', 'val' => 'v2']]
Map::from( [['foo' => ['bar' => 'one', 'baz' => 'two']]] )->col( 'foo/baz', 'foo/bar' );
// ['one' => 'two']
Map::from( [['foo' => ['bar' => 'one']]] )->col( 'foo/baz', 'foo/bar' );
// ['one' => null]
Map::from( [['foo' => ['baz' => 'two']]] )->col( 'foo/baz', 'foo/bar' );
// ['two']Collapses all sub-array elements recursively to a new map.
public function collapse( int $depth = null ) : self$depth Number of levels to collapse for multi-dimensional arrays or NULL for allThe keys are preserved and already existing elements will be overwritten. This is also true for numeric keys! This method is similar than flat() but replaces already existing elements.
A value smaller than 1 for depth will return the same map elements. Collapsing does also work if elements implement the "Traversable" interface (which the Map object does).
Examples:
Map::from( [0 => ['a' => 0, 'b' => 1], 1 => ['c' => 2, 'd' => 3]] )->collapse();
// ['a' => 0, 'b' => 1, 'c' => 2, 'd' => 3]
Map::from( [0 => ['a' => 0, 'b' => 1], 1 => ['a' => 2]] )->collapse();
// ['a' => 2, 'b' => 1]
Map::from( [0 => [0 => 0, 1 => 1], 1 => [0 => ['a' => 2, 0 => 3], 1 => 4]] )->collapse();
// [0 => 3, 1 => 4, 'a' => 2]
Map::from( [0 => [0 => 0, 'a' => 1], 1 => [0 => ['b' => 2, 0 => 3], 1 => 4]] )->collapse( 1 );
// [0 => ['b' => 2, 0 => 3], 1 => 4, 'a' => 1]
Map::from( [0 => [0 => 0, 'a' => 1], 1 => Map::from( [0 => ['b' => 2, 0 => 3], 1 => 4] )] )->collapse();
// [0 => 3, 'a' => 1, 'b' => 2, 1 => 4]Combines the values of the map as keys with the passed elements as values.
public function combine( iterable $values ) : self$values Values of the new mapExamples:
Map::from( ['name', 'age'] )->combine( ['Tom', 29] );
// ['name' => 'Tom', 'age' => 29]Compares the value against all map elements.
public function compare( string $value, bool $case = true ) : bool$value Value to compare map elements to$case TRUE if comparison is case sensitive, FALSE to ignore upper/lower caseAll scalar values (bool, float, int and string) are casted to string values before comparing to the given value. Non-scalar values in the map are ignored.
Examples:
Map::from( ['foo', 'bar'] )->compare( 'foo' );
// true
Map::from( ['foo', 'bar'] )->compare( 'Foo', false );
// true (case insensitive)
Map::from( [123, 12.3] )->compare( '12.3' );
// true
Map::from( [false, true] )->compare( '1' );
// true
Map::from( ['foo', 'bar'] )->compare( 'Foo' );
// false (case sensitive)
Map::from( ['foo', 'bar'] )->compare( 'baz' );
// false
Map::from( [new \stdClass(), 'bar'] )->compare( 'foo' );
// falsePushs all of the given elements onto the map without creating a new map.
public function concat( iterable $elements ) : self$elements List of elementsThe keys of the passed elements are NOT preserved!
Examples:
Map::from( ['foo'] )->concat( ['bar'] );
// ['foo', 'bar']
Map::from( ['foo'] )->concat( new Map( ['bar' => 'baz'] ) );
// ['foo', 'baz']Determines if an item exists in the map.
public function contains( $key, string $operator = null, $value = null ) : boolThis method combines the power of the where() method with some() to check
if the map contains at least one of the passed values or conditions.
$values Anonymous function with (item, key) parameter, element or list of elements to test against$op Operator used for comparison$value Value used for comparisonCheck the where()] method for available operators.
Examples:
Map::from( ['a', 'b'] )->contains( 'a' );
// true
Map::from( ['a', 'b'] )->contains( ['a', 'c'] );
// true
Map::from( ['a', 'b'] )->contains( function( $item, $key ) {
return $item === 'a'
} );
// true
Map::from( [['type' => 'name']] )->contains( 'type', 'name' );
// true
Map::from( [['type' => 'name']] )->contains( 'type', '!=', 'name' );
// falseCreates a new map with the same elements.
public function copy() : selfBoth maps share the same array until one of the map objects modifies the array. Then, the array is copied and the copy is modfied (copy on write).
Examples:
$m = Map::from( ['foo', 'bar'] );
$m2 = $m->copy();
// internal: ['foo', 'bar'] both two mapsCounts the number of elements in the map.
public function count() : intExamples:
Map::from( ['foo', 'bar'] )->count();
// 2Counts how often the same values are in the map.
public function countBy( callable $callback = null ) : self$callback Function with (value, key) parameters which returns the value to use for countingExamples:
Map::from( [1, 'foo', 2, 'foo', 1] )->countBy();
// [1 => 2, 'foo' => 2, 2 => 1]
Map::from( [1.11, 3.33, 3.33, 9.99] )->countBy();
// ['1.11' => 1, '3.33' => 2, '9.99' => 1]
Map::from( ['[email protected]', '[email protected]', '[email protected]'] )->countBy( function( $email ) {
return substr( strrchr( $email, '@' ), 1 );
} );
// ['gmail.com' => 2, 'yahoo.com' => 1]Dumps the map content and terminates the script.
public function dd( callable $callback = null ) : void$callback Function receiving the map elements as parameter (optional)The dd() method is very helpful to see what are the map elements passed
between two map methods in a method call chain. It stops execution of the
script afterwards to avoid further output.
Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->sort()->dd()->first();
/*
Array
(
[0] => bar
[1] => foo
)
*/The first() method isn't executed at all.
Sets or returns the seperator for paths to values in multi-dimensional arrays or objects.
public static function delimiter( ?string $char = null ) : string$char Separator character, e.g. "." for "key.to.value" instaed of "key/to/value"The static method only changes the separator for new maps created afterwards. Already existing maps will continue to use the previous separator. To change the separator of an existing map, use the sep() method instead.
Examples:
Map::delimiter( '.' );
// '/'
Map::from( ['foo' => ['bar' => 'baz']] )->get( 'foo.bar' );
// 'baz'Returns the keys/values in the map whose values are not present in the passed elements in a new map.
public function diff( iterable $elements, callable $callback = null ) : self$elements List of elements$callback Function with (valueA, valueB) parameters and returns -1 (<), 0 (=) and 1 (>)Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->diff( ['bar'] );
// ['a' => 'foo']If a callback is passed, the given function will be used to compare the values. The function must accept two parameters (value A and B) and must return -1 if value A is smaller than value B, 0 if both are equal and 1 if value A is greater than value B. Both, a method name and an anonymous function can be passed:
Map::from( [0 => 'a'] )->diff( [0 => 'A'], 'strcasecmp' );
// []
Map::from( ['b' => 'a'] )->diff( ['B' => 'A'], 'strcasecmp' );
// []
Map::from( ['b' => 'a'] )->diff( ['c' => 'A'], function( $valA, $valB ) {
return strtolower( $valA ) <=> strtolower( $valB );
} );
// []All examples will return an empty map because both contain the same values when compared case insensitive.
The keys are preserved using this method.
Returns the keys/values in the map whose keys AND values are not present in the passed elements in a new map.
public function diffAssoc( iterable $elements, callable $callback = null ) : self$elements List of elements$callback Function with (valueA, valueB) parameters and returns -1 (<), 0 (=) and 1 (>)Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->diffAssoc( new Map( ['foo', 'b' => 'bar'] ) );
// ['a' => 'foo']If a callback is passed, the given function will be used to compare the values. The function must accept two parameters (valA, valB) and must return -1 if value A is smaller than value B, 0 if both are equal and 1 if value A is greater than value B. Both, a method name and an anonymous function can be passed:
Map::from( [0 => 'a'] )->diffAssoc( [0 => 'A'], 'strcasecmp' );
// []
Map::from( ['b' => 'a'] )->diffAssoc( ['B' => 'A'], 'strcasecmp' );
// []
Map::from( ['b' => 'a'] )->diffAssoc( ['c' => 'A'], function( $valA, $valB ) {
return strtolower( $valA ) <=> strtolower( $valB );
} );
// ['b' => 'a']The first and second example will return an empty map because both contain the same values when compared case insensitive. In the third example, the keys doesn't match ("b" vs. "c").
The keys are preserved using this method.
Returns the key/value pairs from the map whose keys are not present in the passed elements in a new map.
public function diffKeys( iterable $elements, callable $callback = null ) : self$elements List of elements$callback Function with (keyA, keyB) parameters and returns -1 (<), 0 (=) and 1 (>)Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->diffKeys( new Map( ['foo', 'b' => 'baz'] ) );
// ['a' => 'foo']If a callback is passed, the given function will be used to compare the keys. The function must accept two parameters (key A and B) and must return -1 if key A is smaller than key B, 0 if both are equal and 1 if key A is greater than key B. Both, a method name and an anonymous function can be passed:
Map::from( [0 => 'a'] )->diffKeys( [0 => 'A'], 'strcasecmp' );
// []
Map::from( ['b' => 'a'] )->diffKeys( ['B' => 'X'], 'strcasecmp' );
// []
Map::from( ['b' => 'a'] )->diffKeys( ['c' => 'a'], function( $keyA, $keyB ) {
return strtolower( $keyA ) <=> strtolower( $keyB );
} );
// ['b' => 'a']The first and second example will return an empty map because both contain the same keys when compared case insensitive. The third example will return ['b' => 'a'] because the keys doesn't match ("b" vs. "c").
The keys are preserved using this method.
Dumps the map content using the given function (print_r by default).
public function dump( callable $callback = null ) : self$callback Function receiving the map elements as parameter (optional)The dump() method is very helpful to see what are the map elements passed
between two map methods in a method call chain.
Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->dump()->asort()->dump( 'var_dump' );
/*
Array
(
[a] => foo
[b] => bar
)
array(1) {
["b"]=>
string(3) "bar"
["a"]=>
string(3) "foo"
}
*/Returns the duplicate values from the map.
public function duplicates( string $col = null ) : self$col Key of the nested array or object to check forFor nested arrays, you have to pass the name of the column of the nested array which should be used to check for duplicates.
This does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
The keys in the result map are preserved.
Examples:
Map::from( [1, 2, '1', 3] )->duplicates()
// [2 => '1']
Map::from( [['p' => '1'], ['p' => 1], ['p' => 2]] )->duplicates( 'p' )
// [1 => ['p' => 1]]
Map::from( [['i' => ['p' => '1']], ['i' => ['p' => 1]]] )->duplicates( 'i/p' )
// [1 => ['i' => ['p' => '1']]]Executes a callback over each entry until FALSE is returned.
public function each( \Closure $callback ) : self$callback Function with (value, key) parameters and returns TRUE/FALSEExamples:
$result = [];
Map::from( [0 => 'a', 1 => 'b'] )->each( function( $value, $key ) use ( &$result ) {
$result[$key] = strtoupper( $value );
return false;
} );
// $result = [0 => 'A']The $result array will contain [0 => 'A'] because FALSE is returned
after the first entry and all other entries are then skipped.
Determines if the map is empty or not.
public function empty() : boolThe method is equivalent to isEmpty().
Examples:
Map::from( [] )->empty();
// true
Map::from( ['a'] )->empty();
// falseTests if the passed elements are equal to the elements in the map.
public function equals( iterable $elements ) : bool$elements List of elements to test againstThe method differs to is() in the fact that it doesn't care about the keys by default. The elements are only loosely compared and the keys are ignored.
Values are compared by their string values:
(string) $item1 === (string) $item2Examples:
Map::from( ['a'] )->equals( ['a', 'b'] );
// false
Map::from( ['a', 'b'] )->equals( ['b'] );
// false
Map::from( ['a', 'b'] )->equals( ['b', 'a'] );
// trueVerifies that all elements pass the test of the given callback.
public function every( \Closure $callback ) : bool$callback Function with (value, key) parameters and returns TRUE/FALSEExamples:
Map::from( [0 => 'a', 1 => 'b'] )->every( function( $value, $key ) {
return is_string( $value );
} );
// true
Map::from( [0 => 'a', 1 => 100] )->every( function( $value, $key ) {
return is_string( $value );
} );
// falseReturns a new map without the passed element keys.
public function except( $keys ) : self$keys List of keys to removeThe keys in the result map are preserved.
Examples:
Map::from( ['a' => 1, 'b' => 2, 'c' => 3] )->except( 'b' );
// ['a' => 1, 'c' => 3]
Map::from( [1 => 'a', 2 => 'b', 3 => 'c'] )->except( [1, 3] );
// [2 => 'b']Creates a new map with the string splitted by the delimiter.
public static function explode( string $delimiter , string $string , int $limit = PHP_INT_MAX ) : self$delimiter Delimiter character, string or empty string$string String to split$limit Maximum number of element with the last element containing the rest of the stringA limit of "0" is treated the same as "1". If limit is negative, the rest of the string is dropped and not part of the returned map.
This method creates a lazy Map and the string is split after calling another method that operates on the Map contents.
Examples:
Map::explode( ',', 'a,b,c' );
// ['a', 'b', 'c']
Map::explode( '<-->', 'a a<-->b b<-->c c' );
// ['a a', 'b b', 'c c']
Map::explode( '', 'string' );
// ['s', 't', 'r', 'i', 'n', 'g']
Map::explode( '|', 'a|b|c', 2 );
// ['a', 'b|c']
Map::explode( '', 'string', 2 );
// ['s', 't', 'ring']
Map::explode( '|', 'a|b|c|d', -2 );
// ['a', 'b']
Map::explode( '', 'string', -3 );
// ['s', 't', 'r']Runs a filter over each element of the map and returns a new map.
public function filter( callable $callback = null ) : self$callback Function with (item, key) parameters and returns TRUE/FALSEIf no callback is passed, all values which are empty, null or false will be removed if their value converted to boolean is FALSE:
(bool) $value === falseThe keys in the result map are preserved.
Examples:
Map::from( [null, 0, 1, '', '0', 'a'] )->filter();
// [1, 'a']
Map::from( [2 => 'a', 6 => 'b', 13 => 'm', 30 => 'z'] )->filter( function( $value, $key ) {
return $key < 10 && $value < 'n';
} );
// ['a', 'b']Returns the first matching element where the callback returns TRUE.
public function find( \Closure $callback, $default = null, bool $reverse = false )$callback Function with (value, key) parameters and returns TRUE/FALSE$default Default value or exception if the map contains no elements$reverse TRUE to test elements from back to front, FALSE for front to back (default)Examples:
Map::from( ['a', 'c', 'e'] )->find( function( $value, $key ) {
return $value >= 'b';
} );
// 'c'
Map::from( ['a', 'c', 'e'] )->find( function( $value, $key ) {
return $value >= 'b';
}, null, true );
// 'e' because $reverse = true
Map::from( [] )->find( function( $value, $key ) {
return $value >= 'b';
}, 'none' );
// 'none'
Map::from( [] )->find( function( $value, $key ) {
return $value >= 'b';
}, new \Exception( 'error' ) );
// throws \ExceptionReturns the first element from the map.
public function first( $default = null )$default Default value or exception if the map contains no elementsExamples:
Map::from( ['a', 'b'] )->first();
// 'a'
Map::from( [] )->first( 'x' );
// 'x'
Map::from( [] )->first( new \Exception( 'error' ) );
// throws \Exception
Map::from( [] )->first( function() { return rand(); } );
// random integerReturns the first key from the map.
public function firstKey()Examples:
Map::from( ['a' => 1, 'b' => 2] )->lastKey();
// 'a'
Map::from( [] )->lastKey();
// nullCreates a new map with all sub-array elements added recursively.
public function flat( int $depth = null ) : self$depth Number of levels to flatten multi-dimensional arraysThe keys are not preserved and the new map elements will be numbered from 0-n. A value smaller than 1 for depth will return the same map elements indexed from 0-n. Flattening does also work if elements implement the "Traversable" interface (which the Map object does).
This method is similar than collapse() but doesn't replace existing elements. Keys are NOT preserved using this method!
Examples:
Map::from( [[0, 1], [2, 3]] )->flat();
// [0, 1, 2, 3]
Map::from( [[0, 1], [[2, 3], 4]] )->flat();
// [0, 1, 2, 3, 4]
Map::from( [[0, 1], [[2, 3], 4]] )->flat( 1 );
// [0, 1, [2, 3], 4]
Map::from( [[0, 1], Map::from( [[2, 3], 4] )] )->flat();
// [0, 1, 2, 3, 4]Exchanges the keys with their values and vice versa.
public function flip() : selfExamples:
Map::from( ['a' => 'X', 'b' => 'Y'] )->flip();
// ['X' => 'a', 'Y' => 'b']Returns an element by key and casts it to float if possible.
public function float( $key, $default = 0.0 ) : float$key Key or path to the requested item$default Default value if key isn't found (will be casted to float)This does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( ['a' => true] )->float( 'a' );
// 1.0 (casted to float)
Map::from( ['a' => 1] )->float( 'a' );
// 1.0 (casted to float)
Map::from( ['a' => '1.1'] )->float( 'a' );
// 1.1 (casted to float)
Map::from( ['a' => '10'] )->float( 'a' );
// 10.0 (casted to float)
Map::from( ['a' => ['b' => ['c' => 1.1]]] )->float( 'a/b/c' );
// 1.1
Map::from( [] )->float( 'c', function() { return 1.1; } );
// 1.1
Map::from( [] )->float( 'a', 1 );
// 1.0 (default value used)
Map::from( [] )->float( 'a' );
// 0.0
Map::from( ['b' => ''] )->float( 'b' );
// 0.0 (casted to float)
Map::from( ['a' => 'abc'] )->float( 'a' );
// 0.0 (casted to float)
Map::from( ['b' => null] )->float( 'b' );
// 0.0 (null is not scalar)
Map::from( ['b' => [true]] )->float( 'b' );
// 0.0 (arrays are not scalar)
Map::from( ['b' => '#resource'] )->float( 'b' );
// 0.0 (resources are not scalar)
Map::from( ['b' => new \stdClass] )->float( 'b' );
// 0.0 (objects are not scalar)
Map::from( [] )->float( 'c', new \Exception( 'error' ) );
// throws exceptionCreates a new map instance if the value isn't one already.
public static function from( $elements = [] ) : self$elements List of elements or single valueExamples:
// array
Map::from( [] );
// null
Map::from( null );
// scalar
Map::from( 'a' );
// object
Map::from( new \stdClass() );
// map object
Map::from( new Map() );
// iterable object
Map::from( new ArrayObject() );
// closure evaluated lazily
Map::from( function() {
return [];
} );Creates a new map instance from a JSON string.
public static function fromJson( string $json, int $options = JSON_BIGINT_AS_STRING ) : self$options Combination of JSON_* constantsThere are several options available for decoding the JSON string which are described in the PHP json_decode() manual. The parameter can be a single JSON_* constant or a bitmask of several constants combine by bitwise OR (|), e.g.:
This method creates a lazy Map and the string is decoded after calling another method that operates on the Map contents. Thus, the exception in case of an error isn't thrown immediately but after calling the next method.
JSON_BIGINT_AS_STRING|JSON_INVALID_UTF8_IGNOREExamples:
Map::fromJson( '["a", "b"]' );
// ['a', 'b']
Map::fromJson( '{"a": "b"}' );
// ['a' => 'b']
Map::fromJson( '""' );
['']Returns an element from the map by key.
public function get( $key, $default = null )$key Key or path to the requested item$default Default value if no element matchesThis does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( ['a' => 'X', 'b' => 'Y'] )->get( 'a' );
// 'X'
Map::from( ['a' => 'X', 'b' => 'Y'] )->get( 'c', 'Z' );
// 'Z'
Map::from( ['a' => ['b' => ['c' => 'Y']]] )->get( 'a/b/c' );
// 'Y'
Map::from( [] )->get( 'c', new \Exception( 'error' ) );
// throws \Exception
Map::from( [] )->get( 'c', function() { return rand(); } );
// random integerReturns an iterator for the elements.
public function getIterator() : \ArrayIteratorThis method will be used by e.g. foreach() to loop over all entries.
Examples:
foreach( Map::from( ['a', 'b'] ) as $value ) {
// ...
}Returns only items which matches the regular expression.
public function grep( string $pattern, int $flags = 0 ) : self$pattern Regular expression pattern, e.g. "/ab/"$flags PREG_GREP_INVERT to return elements not matching the patternAll items are converted to string first before they are compared to the regular expression. Thus, fractions of ".0" will be removed in float numbers which may result in unexpected results. The keys are preserved using this method.
Examples:
Map::from( ['ab', 'bc', 'cd'] )->grep( '/b/' );
// ['ab', 'bc']
Map::from( ['ab', 'bc', 'cd'] )->grep( '/a/', PREG_GREP_INVERT );
// ['bc', 'cd']
Map::from( [1.5, 0, 1.0, 'a'] )->grep( '/^(\d+)?\.\d+$/' );
// [1.5]
// float 1.0 is converted to string "1"Groups associative array elements or objects by the passed key or closure.
public function groupBy( $key ) : self$key Closure function with (item, idx) parameters returning the key or the key itself to group byInstead of overwriting items with the same keys like to the col() method does, groupBy() keeps all entries in sub-arrays. It's preserves the keys of the orignal map entries too.
Examples:
$list = [
10 => ['aid' => 123, 'code' => 'x-abc'],
20 => ['aid' => 123, 'code' => 'x-def'],
30 => ['aid' => 456, 'code' => 'x-def']
];
Map::from( $list )->groupBy( 'aid' );
/*
[
123 => [
10 => ['aid' => 123, 'code' => 'x-abc'],
20 => ['aid' => 123, 'code' => 'x-def']
],
456 => [
30 => ['aid' => 456, 'code' => 'x-def']
]
]
*/
Map::from( $list )->groupBy( function( $item, $key ) {
return substr( $item['code'], -3 );
} );
/*
[
'abc' => [
10 => ['aid' => 123, 'code' => 'x-abc']
],
'def' => [
20 => ['aid' => 123, 'code' => 'x-def'],
30 => ['aid' => 456, 'code' => 'x-def']
]
]
*/In case the passed key doesn't exist in one or more items, these items are stored in a sub-array using an empty string as key:
$list = [
10 => ['aid' => 123, 'code' => 'x-abc'],
20 => ['aid' => 123, 'code' => 'x-def'],
30 => ['aid' => 456, 'code' => 'x-def']
];
Map::from( $list )->groupBy( 'xid' );
/*
[
'' => [
10 => ['aid' => 123, 'code' => 'x-abc'],
20 => ['aid' => 123, 'code' => 'x-def'],
30 => ['aid' => 456, 'code' => 'x-def']
]
]
*/Determines if a key or several keys exists in the map.
public function has( $key ) : bool$key Key or path to the requested itemIf several keys are passed as array, all keys must exist in the map to return TRUE.
This does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( ['a' => 'X', 'b' => 'Y'] )->has( 'a' );
// true
Map::from( ['a' => 'X', 'b' => 'Y'] )->has( ['a', 'b'] );
// false
Map::from( ['a' => ['b' => ['c' => 'Y']]] )->has( 'a/b/c' );
// true
Map::from( ['a' => 'X', 'b' => 'Y'] )->has( 'c' );
// false
Map::from( ['a' => 'X', 'b' => 'Y'] )->has( ['a', 'c'] );
// false
Map::from( ['a' => 'X', 'b' => 'Y'] )->has( 'X' );
// falseExecutes callbacks depending on the condition.
public function if( $condition, \Closure $then, \Closure $else = null ) : self$condition Boolean or function with (map) parameter returning a boolean$then Function with (map) parameter$else Function with (map) parameter (optional)If callbacks for "then" and/or "else" are passed, these callbacks will be executed and their returned value is passed back within a Map object. In case no "then" or "else" closure is given, the method will return the same map object if the condition is true or an empty map object if it's false.
Examples:
Map::from( ['a' => 1, 'b' => 0] )->if(
'a' == 'b',
function( Map $_ ) { echo "then"; }
);
// no output
Map::from( ['a' => 1, 'b' => 0] )->if(
function( Map $map ) { return $map->has( 'a' ); },
function( Map $_ ) { echo "then"; },
function( Map $_ ) { echo "else"; }
);
// then
Map::from( ['a' => 1, 'b' => 0] )->if(
fn( Map $map ) => $map->has( 'c' ),
function( Map $_ ) { echo "then"; },
function( Map $_ ) { echo "else"; }
);
// else
Map::from( ['a', 'b'] )->if( true, function( $map ) {
return $map->push( 'c' );
} );
// ['a', 'b', 'c']
Map::from( ['a', 'b'] )->if( false, null, function( $map ) {
return $map->pop();
} );
// ['b']Since PHP 7.4, you can also pass arrow function like fn($map) => $map->has('c')
(a short form for anonymous closures) as parameters. The automatically have access
to previously defined variables but can not modify them. Also, they can not have
a void return type and must/will always return something. Details about
PHP arrow functions
public function ifAny( \Closure $then = null, \Closure $else = null ) : self$then Function with (map, condition) parameter (optional)$else Function with (map, condition) parameter (optional)If callbacks for "then" and/or "else" are passed, these callbacks will be executed and their returned value is passed back within a Map object. In case no "then" or "else" closure is given, the method will return the same map object.
Examples:
Map::from( ['a'] )->ifAny( function( $map ) {
$map->push( 'b' );
} );
// ['a', 'b']
Map::from( [] )->ifAny( null, function( $map ) {
return $map->push( 'b' );
} );
// ['b']
Map::from( ['a'] )->ifAny( function( $map ) {
return 'c';
} );
// ['c']Since PHP 7.4, you can also pass arrow function like fn($map) => $map->has('c')
(a short form for anonymous closures) as parameters. The automatically have access
to previously defined variables but can not modify them. Also, they can not have
a void return type and must/will always return something. Details about
PHP arrow functions
public function ifEmpty( \Closure $then = null, \Closure $else = null ) : self$then Function with (map, condition) parameter (optional)$else Function with (map, condition) parameter (optional)If callbacks for "then" and/or "else" are passed, these callbacks will be executed and their returned value is passed back within a Map object. In case no "then" or "else" closure is given, the method will return the same map object.
Examples:
Map::from( [] )->ifEmpty( function( $map ) {
$map->push( 'a' );
} );
// ['a']
Map::from( ['a'] )->ifEmpty( null, function( $map ) {
return $map->push( 'b' );
} );
// ['a', 'b']Since PHP 7.4, you can also pass arrow function like fn($map) => $map->has('c')
(a short form for anonymous closures) as parameters. The automatically have access
to previously defined variables but can not modify them. Also, they can not have
a void return type and must/will always return something. Details about
PHP arrow functions
Tests if all entries in the map are objects implementing the given interface.
public function implements( string $interface, $throw = false ) : bool$interface Name of the interface that must be implemented$throw Passing TRUE or an exception name will throw the exception instead of returning FALSEExamples:
Map::from( [new Map(), new Map()] )->implements( '\Countable' );
// true
Map::from( [new Map(), new \stdClass()] )->implements( '\Countable' );
// false
Map::from( [new Map(), 123] )->implements( '\Countable' );
// false
Map::from( [new Map(), 123] )->implements( '\Countable', true );
// throws \UnexpectedValueException
Map::from( [new Map(), 123] )->implements( '\Countable', '\RuntimeException' );
// throws \RuntimeExceptionTests if the passed element or elements are part of the map.
public function in( $element, bool $strict = false ) : bool$element Element or elements to search for in the map$strict TRUE to check the type too, using FALSE '1' and 1 will be the sameExamples:
Map::from( ['a', 'b'] )->in( 'a' );
// true
Map::from( ['a', 'b'] )->in( ['a', 'b'] );
// true
Map::from( ['a', 'b'] )->in( 'x' );
// false
Map::from( ['a', 'b'] )->in( ['a', 'x'] );
// false
Map::from( ['1', '2'] )->in( 2, true );
// falseTests if the passed element or elements are part of the map.
public function includes( $element, bool $strict = false ) : bool$element Element or elements to search for in the map$strict TRUE to check the type too, using FALSE '1' and 1 will be the sameThis method is an alias for in(). For performance reasons, in() should be preferred
because it uses one method call less than includes().
Examples:
Map::from( ['a', 'b'] )->includes( 'a' );
// true
Map::from( ['a', 'b'] )->includes( ['a', 'b'] );
// true
Map::from( ['a', 'b'] )->includes( 'x' );
// false
Map::from( ['a', 'b'] )->includes( ['a', 'x'] );
// false
Map::from( ['1', '2'] )->includes( 2, true );
// falseReturns the numerical index of the given key.
public function index( $value ) : ?int$value Key to search for or function with (key) parameters return TRUE if key is foundExamples:
Map::from( [4 => 'a', 8 => 'b'] )->index( '8' );
// 1
Map::from( [4 => 'a', 8 => 'b'] )->index( function( $key ) {
return $key == '8';
} );
// 1Both examples will return "1" because the value "b" is at the second position and the returned index is zero based so the first item has the index "0".
Inserts the value or values after the given element.
public function insertAfter( $element, $value ) : self$element Element after the value is inserted$value Element or list of elements to insertNumerical array indexes are not preserved.
Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->insertAfter( 'foo', 'baz' );
// ['a' => 'foo', 0 => 'baz', 'b' => 'bar']
Map::from( ['foo', 'bar'] )->insertAfter( 'foo', ['baz', 'boo'] );
// ['foo', 'baz', 'boo', 'bar']
Map::from( ['foo', 'bar'] )->insertAfter( null, 'baz' );
// ['foo', 'bar', 'baz']Inserts the item at the given position in the map.
public function insertAt( int $pos, $element, $key = null ) : self$pos Position the element it should be inserted at$element Element to be inserted$key Element key or NULL to assign an integer key automaticallyExamples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->insertAt( 0, 'baz' );
// [0 => 'baz', 'a' => 'foo', 'b' => 'bar']
Map::from( ['a' => 'foo', 'b' => 'bar'] )->insertAt( 1, 'baz', 'c' );
// ['a' => 'foo', 'c' => 'baz', 'b' => 'bar']
Map::from( ['a' => 'foo', 'b' => 'bar'] )->insertAt( 5, 'baz' );
// ['a' => 'foo', 'b' => 'bar', 'c' => 'baz']
Map::from( ['a' => 'foo', 'b' => 'bar'] )->insertAt( -1, 'baz', 'c' );
// ['a' => 'foo', 'c' => 'baz', 'b' => 'bar']Inserts the value or values before the given element.
public function insertBefore( $element, $value ) : self$element Element before the value is inserted$value Element or list of elements to insertNumerical array indexes are not preserved.
Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->insertBefore( 'bar', 'baz' );
// ['a' => 'foo', 0 => 'baz', 'b' => 'bar']
Map::from( ['foo', 'bar'] )->insertBefore( 'bar', ['baz', 'boo'] );
// ['foo', 'baz', 'boo', 'bar']
Map::from( ['foo', 'bar'] )->insertBefore( null, 'baz' );
// ['foo', 'bar', 'baz']Tests if the passed value or value are part of the strings in the map.
This method is deprecated in favor of the multi-byte aware strContains() method.
public function inString( $value, bool $case = true ) : bool$value Value or values to compare the map elements, will be casted to string type$case TRUE if comparison is case sensitive, FALSE to ignore upper/lower caseAll scalar values (bool, float, int and string) are casted to string values before comparing to the given value. Non-scalar values in the map are ignored.
Examples:
Map::from( ['abc'] )->inString( 'c' );
// true ('abc' contains 'c')
Map::from( ['abc'] )->inString( 'bc' );
// true ('abc' contains 'bc')
Map::from( [12345] )->inString( '23' );
// true ('12345' contains '23')
Map::from( [123.4] )->inString( 23.4 );
// true ('123.4' contains '23.4')
Map::from( [12345] )->inString( false );
// true ('12345' contains '')
Map::from( [12345] )->inString( true );
// true ('12345' contains '1')
Map::from( [false] )->inString( false );
// true ('' contains '')
Map::from( ['abc'] )->inString( '' );
// true ('abc' contains '')
Map::from( [''] )->inString( false );
// true ('' contains '')
Map::from( ['abc'] )->inString( 'BC', false );
// true ('abc' contains 'BC' when case-insentive)
Map::from( ['abc', 'def'] )->inString( ['de', 'xy'] );
// true ('def' contains 'de')
Map::from( ['abc', 'def'] )->inString( ['E', 'x'] );
// false (doesn't contain "E" when case sensitive)
Map::from( ['abc', 'def'] )->inString( 'E' );
// false (doesn't contain "E" when case sensitive)
Map::from( [23456] )->inString( true );
// false ('23456' doesn't contain '1')
Map::from( [false] )->inString( 0 );
// false ('' doesn't contain '0')Returns an element by key and casts it to integer if possible.
public function int( $key, $default = 0 ) : int$key Key or path to the requested item$default Default value if key isn't found (will be casted to int)This does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( ['a' => true] )->int( 'a' );
// 1
Map::from( ['a' => '1'] )->int( 'a' );
// 1 (casted to integer)
Map::from( ['a' => 1.1] )->int( 'a' );
// 1 (casted to integer)
Map::from( ['a' => '10'] )->int( 'a' );
// 10 (casted to integer)
Map::from( ['a' => ['b' => ['c' => 1]]] )->int( 'a/b/c' );
// 1
Map::from( [] )->int( 'c', function() { return rand( 1, 1 ); } );
// 1
Map::from( [] )->int( 'a', 1 );
// 1 (default value used)
Map::from( [] )->int( 'a' );
// 0
Map::from( ['b' => ''] )->int( 'b' );
// 0 (casted to integer)
Map::from( ['a' => 'abc'] )->int( 'a' );
// 0 (casted to integer)
Map::from( ['b' => null] )->int( 'b' );
// 0 (null is not scalar)
Map::from( ['b' => [true]] )->int( 'b' );
// 0 (arrays are not scalar)
Map::from( ['b' => '#resource'] )->int( 'b' );
// 0 (resources are not scalar)
Map::from( ['b' => new \stdClass] )->int( 'b' );
// 0 (objects are not scalar)
Map::from( [] )->int( 'c', new \Exception( 'error' ) );
// throws exceptionReturns all values in a new map that are available in both, the map and the given elements.
public function intersect( iterable $elements, callable $callback = null ) : self$elements List of elements$callback Function with (valueA, valueB) parameters and returns -1 (<), 0 (=) and 1 (>)The keys are preserved using this method.
Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->intersect( ['bar'] );
// ['b' => 'bar']If a callback is passed, the given function will be used to compare the values. The function must accept two parameters (vaA, valB) and must return -1 if value A is smaller than value B, 0 if both are equal and 1 if value A is greater than value B. Both, a method name and an anonymous function can be passed:
Map::from( [0 => 'a'] )->intersect( [0 => 'A'], 'strcasecmp' );
// ['a']
Map::from( ['b' => 'a'] )->intersect( ['B' => 'A'], 'strcasecmp' );
// ['a']
Map::from( ['b' => 'a'] )->intersect( ['c' => 'A'], function( $valA, $valB ) {
return strtolower( $valA ) <=> strtolower( $valB );
} );
// ['a']Returns all values in a new map that are available in both, the map and the given elements while comparing the keys too.
public function intersectAssoc( iterable $elements, callable $callback = null ) : self$elements List of elements$callback Function with (valueA, valueB) parameters and returns -1 (<), 0 (=) and 1 (>)The keys are preserved using this method.
Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->intersectAssoc( new Map( ['foo', 'b' => 'bar'] ) );
// ['a' => 'foo']If a callback is passed, the given function will be used to compare the values. The function must accept two parameters (valA, valB) and must return -1 if value A is smaller than value B, 0 if both are equal and 1 if value A is greater than value B. Both, a method name and an anonymous function can be passed:
Map::from( [0 => 'a'] )->intersectAssoc( [0 => 'A'], 'strcasecmp' );
// [0 => 'a']
Map::from( ['b' => 'a'] )->intersectAssoc( ['B' => 'A'], 'strcasecmp' );
// ['b' => 'a']
Map::from( ['b' => 'a'] )->intersectAssoc( ['c' => 'A'], function( $valA, $valB ) {
return strtolower( $valA ) <=> strtolower( $valB );
} );
// []Returns all values in a new map that are available in both, the map and the given elements by comparing the keys only.
public function intersectKeys( iterable $elements, callable $callback = null ) : self$elements List of elements$callback Function with (keyA, keyB) parameters and returns -1 (<), 0 (=) and 1 (>)The keys are preserved using this method.
Examples:
Map::from( ['a' => 'foo', 'b' => 'bar'] )->intersectKeys( new Map( ['foo', 'b' => 'baz'] ) );
// ['b' => 'bar']If a callback is passed, the given function will be used to compare the keys. The function must accept two parameters (key A and B) and must return -1 if key A is smaller than key B, 0 if both are equal and 1 if key A is greater than key B. Both, a method name and an anonymous function can be passed:
Map::from( [0 => 'a'] )->intersectKeys( [0 => 'A'], 'strcasecmp' );
// [0 => 'a']
Map::from( ['b' => 'a'] )->intersectKeys( ['B' => 'X'], 'strcasecmp' );
// ['b' => 'a']
Map::from( ['b' => 'a'] )->intersectKeys( ['c' => 'a'], function( $keyA, $keyB ) {
return strtolower( $keyA ) <=> strtolower( $keyB );
} );
// []Tests if the map consists of the same keys and values
public function is( iterable $list, bool $strict = false ) : bool$list List of key/value pairs to compare with$strict TRUE for comparing order of elements too, FALSE for key/values onlyExamples:
Map::from( ['a', 'b'] )->is( ['b', 'a'] );
// true
Map::from( ['a', 'b'] )->is( ['b', 'a'], true );
// false
Map::from( [1, 2] )->is( ['1', '2'] );
// falseDetermines if the map is empty or not.
public function isEmpty() : boolThe method is equivalent to empty().
Examples:
Map::from( [] )->isEmpty();
// true
Map::from( ['a'] )-isEmpty();
// falseDetermines if all entries are objects.
public function isObject() : boolExamples:
Map::from( [] )->isObject();
// true
Map::from( [new stdClass] )->isObject();
// true
Map::from( [1] )->isObject();
// falseDetermines if all entries are numeric values.
public function isNumeric() : boolExamples:
Map::from( [] )->isNumeric();
// true
Map::from( [1] )->isNumeric();
// true
Map::from( [1.1] )->isNumeric();
// true
Map::from( [010] )->isNumeric();
// true
Map::from( [0x10] )->isNumeric();
// true
Map::from( [0b10] )->isNumeric();
// true
Map::from( ['010'] )->isNumeric();
// true
Map::from( ['10'] )->isNumeric();
// true
Map::from( ['10.1'] )->isNumeric();
// true
Map::from( [' 10 '] )->isNumeric();
// true
Map::from( ['10e2'] )->isNumeric();
// true
Map::from( ['0b10'] )->isNumeric();
// false
Map::from( ['0x10'] )->isNumeric();
// false
Map::from( ['null'] )->isNumeric();
// false
Map::from( [null] )->isNumeric();
// false
Map::from( [true] )->isNumeric();
// false
Map::from( [[]] )->isNumeric();
// false
Map::from( [''] )->isNumeric();
// falseDetermines if all entries are scalar values.
public function isScalar() : boolExamples:
Map::from( [] )->isScalar();
// true
Map::from( [1] )->isScalar();
// true
Map::from( [1.1] )->isScalar();
// true
Map::from( ['abc'] )->isScalar();
// true
Map::from( [true, false] )->isScalar();
// true
Map::from( [new stdClass] )->isScalar();
// false
Map::from( [resource] )->isScalar();
// false
Map::from( [null] )->isScalar();
// false
Map::from( [[1]] )->isScalar();
// falseConcatenates the string representation of all elements.
public function join( $glue = '' ) : string$glue Character or string added between elementsObjects that implement __toString() does also work, otherwise (and in case
of arrays) a PHP notice is generated. NULL and FALSE values are treated as
empty strings.
Examples:
Map::from( ['a', 'b', false] )->join();
// 'ab'
Map::from( ['a', 'b', null, false] )->join( '-' );
// 'a-b--'Specifies the data which should be serialized to JSON by json_encode().
public function jsonSerialize()Examples:
json_encode( Map::from( ['a', 'b'] ) );
// ["a", "b"]
json_encode( Map::from( ['a' => 0, 'b' => 1] ) );
// {"a":0,"b":1}Returns the keys of the map elements in a new map object.
public function keys() : selfExamples:
Map::from( ['a', 'b'] );
// [0, 1]
Map::from( ['a' => 0, 'b' => 1] );
// ['a', 'b']Sorts the elements by their keys in reverse order.
public function krsort( int $options = SORT_REGULAR ) : self$options Sort options for krsort()The parameter modifies how the keys are compared. Possible values are:
setlocale()natsort()The keys are preserved using this method and no new map is created.
Examples:
Map::from( ['b' => 0, 'a' => 1] )->krsort();
// ['a' => 1, 'b' => 0]
Map::from( [1 => 'a', 0 => 'b'] )->krsort();
// [0 => 'b', 1 => 'a']Sorts the elements by their keys.
public function ksort( int $options = SORT_REGULAR ) : self$options Sort options for ksort()The parameter modifies how the keys are compared. Possible values are:
setlocale()natsort()The keys are preserved using this method and no new map is created.
Examples:
Map::from( ['b' => 0, 'a' => 1] )->ksort();
// ['a' => 1, 'b' => 0]
Map::from( [1 => 'a', 0 => 'b'] )->ksort();
// [0 => 'b', 1 => 'a']Returns the last element from the map.
public function last( $default = null )$default Default value or exception if the map contains no elementsExamples:
Map::from( ['a', 'b'] )->last();
// 'b'
Map::from( [] )->last( 'x' );
// 'x'
Map::from( [] )->last( new \Exception( 'error' ) );
// throws \Exception
Map::from( [] )->last( function() { return rand(); } );
// random integerReturns the last key from the map.
public function lastKey()Examples:
Map::from( ['a' => 1, 'b' => 2] )->lastKey();
// 'b'
Map::from( [] )->lastKey();
// nullRemoves the passed characters from the left of all strings.
public function ltrim( string $chars = " \n\r\t\v\x00" ) : self$chars List of characters to trimExamples:
Map::from( [" abc\n", "\tcde\r\n"] )->ltrim();
// ["abc\n", "cde\r\n"]
Map::from( ["a b c", "cbxa"] )->ltrim( 'abc' );
// [" b c", "xa"]Calls the passed function once for each element and returns a new map for the result.
public function map( callable $callback ) : self$callback Function with (value, key) parameters and returns computed resultThe keys are preserved using this method.
Examples:
Map::from( ['a' => 2, 'b' => 4] )->map( function( $value, $key ) {
return $value * 2;
} );
// ['a' => 4, 'b' => 8]Returns the maximum value of all elements.
public function max( string $col = null )$col Key in the nested array or object to check forThis does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Be careful comparing elements of different types because this can have unpredictable results due to the PHP comparison rules
Examples:
Map::from( [1, 3, 2, 5, 4] )->max();
// 5
Map::from( ['bar', 'foo', 'baz'] )->max();
// 'foo'
Map::from( [['p' => 30], ['p' => 50], ['p' => 10]] )->max( 'p' );
// 50
Map::from( [['i' => ['p' => 30]], ['i' => ['p' => 50]]] )->max( 'i/p' );
// 50Merges the map with the given elements without returning a new map.
public function merge( iterable $elements, bool $recursive = false ) : self$elements List of elements$recursive TRUE to merge nested arrays too, FALSE for first level elements onlyElements with the same non-numeric keys will be overwritten, elements with the same numeric keys will be added.
The method is similar to replace() but doesn't replace elements with the same numeric keys. If you want to be sure that all passed elements are added without replacing existing ones, use concat() instead.
The keys are preserved using this method.
Examples:
Map::from( ['a', 'b'] )->merge( ['b', 'c'] );
// ['a', 'b', 'b', 'c']
Map::from( ['a' => 1, 'b' => 2] )->merge( ['b' => 4, 'c' => 6] );
// ['a' => 1, 'b' => 4, 'c' => 6]
Map::from( ['a' => 1, 'b' => 2] )->merge( ['b' => 4, 'c' => 6], true );
// ['a' => 1, 'b' => [2, 4], 'c' => 6]Registers a custom method or returns the existing one.
public static function method( string $method, \Closure $fcn = null ) : ?\Closure$method Method name$fcn Anonymous function or NULL to return the closure if availableThe registed method has access to the class properties if called non-static.
Examples:
Map::method( 'foo', function( $arg1, $arg2 ) {
return array_merge( $this->elements, [$arg1, $arg2] );
} );
Map::method( 'foo' );
// registered closure
Map::method( 'foo2' );
// NULL
Map::from( ['bar'] )->foo( 'foo', 'baz' );
// ['bar', 'foo', 'baz']
Map::foo( 'foo', 'baz' );
// error because `$this->elements` isn't availableStatic calls can't access $this->elements but can operate on the parameter values:
Map::method( 'bar', function( $arg1, $arg2 ) {
return new static( [$arg1, $arg2] );
} );
Map::foo( 'foo', 'baz' );
// ['foo', 'baz']Returns the minimum value of all elements.
public function min( string $col = null )$col Key in the nested array or object to check forThis does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Be careful comparing elements of different types because this can have unpredictable results due to the PHP comparison rules
Examples:
Map::from( [2, 3, 1, 5, 4] )->min();
// 1
Map::from( ['baz', 'foo', 'bar'] )->min();
// 'bar'
Map::from( [['p' => 30], ['p' => 50], ['p' => 10]] )->min( 'p' );
// 10
Map::from( [['i' => ['p' => 30]], ['i' => ['p' => 50]]] )->min( 'i/p' );
// 30Tests if none of the elements are part of the map.
public function none( $element, bool $strict = false ) : bool$element Element or elements to search for in the map$strict TRUE to check the type too, using FALSE '1' and 1 will be the sameExamples:
Map::from( ['a', 'b'] )->none( 'x' );
// true
Map::from( ['1', '2'] )->none( 2, true );
// true
Map::from( ['a', 'b'] )->none( 'a' );
// false
Map::from( ['a', 'b'] )->none( ['a', 'b'] );
// false
Map::from( ['a', 'b'] )->none( ['a', 'x'] );
// falseReturns every nth element from the map.
public function nth( int $step, int $offset = 0 ) : self$step Step width$offset Number of element to start from (0-based)Examples:
Map::from( ['a', 'b', 'c', 'd', 'e', 'f'] )->nth( 2 );
// ['a', 'c', 'e']
Map::from( ['a', 'b', 'c', 'd', 'e', 'f'] )->nth( 2, 1 );
// ['b', 'd', 'f']Determines if an element exists at an offset.
public function offsetExists( $key )$key Key to check forExamples:
$map = Map::from( ['a' => 1, 'b' => 3, 'c' => null] );
isset( $map['b'] );
// true
isset( $map['c'] );
// false
isset( $map['d'] );
// falseReturns an element at a given offset.
public function offsetGet( $key )$key Key to return the element forExamples:
$map = Map::from( ['a' => 1, 'b' => 3] );
$map['b'];
// 3Sets the element at a given offset.
public function offsetSet( $key, $value )$key Key to set the element for or NULL to append value$value New value set for the keyExamples:
$map = Map::from( ['a' => 1] );
$map['b'] = 2;
// ['a' => 1, 'b' => 2]
$map[0] = 4;
// ['a' => 1, 'b' => 2, 0 => 4]Unsets the element at a given offset.
public function offsetUnset( $key )$key Key for unsetting the itemExamples:
$map = Map::from( ['a' => 1] );
unset( $map['a'] );
// []Returns a new map with only those elements specified by the given keys.
public function only( $keys ) : self$keys Keys of the elements that should be returnedThe keys are preserved using this method.
Examples:
Map::from( ['a' => 1, 0 => 'b'] )->only( 'a' );
// ['a' => 1]
Map::from( ['a' => 1, 0 => 'b', 1 => 'c'] )->only( [0, 1] );
// [0 => 'b', 1 => 'c']Returns a new map with elements ordered by the passed keys.
public function order( iterable $keys ) : self$keys Keys of the elements in the required orderThe keys are preserved using this method.
Examples:
Map::from( ['a' => 1, 1 => 'c', 0 => 'b'] )->order( [0, 1, 'a'] );
// [0 => 'b', 1 => 'c', 'a' => 1]
Map::from( ['a' => 1, 1 => 'c', 0 => 'b'] )->order( [0, 1, 2] );
// [0 => 'b', 1 => 'c', 2 => null]
Map::from( ['a' => 1, 1 => 'c', 0 => 'b'] )->order( [0, 1] );
// [0 => 'b', 1 => 'c']Fill up to the specified length with the given value
public function pad( int $size, $value = null ) : self$size Total number of elements that should be in the list$value Value to fill up with if the map length is smaller than the given sizeIn case the given number is smaller than the number of element that are already in the list, the map is unchanged. If the size is positive, the new elements are padded on the right, if it's negative then the elements are padded on the left.
Associative keys are preserved, numerical keys are replaced and numerical keys are used for the new elements.
Examples:
Map::from( [1, 2, 3] )->pad( 5 );
// [1, 2, 3, null, null]
Map::from( [1, 2, 3] )->pad( -5 );
// [null, null, 1, 2, 3]
Map::from( [1, 2, 3] )->pad( 5, '0' );
// [1, 2, 3, '0', '0']
Map::from( [1, 2, 3] )->pad( 2 );
// [1, 2, 3]
Map::from( [10 => 1, 20 => 2] )->pad( 3 );
// [0 => 1, 1 => 2, 2 => null]
Map::from( ['a' => 1, 'b' => 2] )->pad( 3, 3 );
// ['a' => 1, 'b' => 2, 0 => 3]Breaks the list of elements into the given number of groups.
public function partition( $num ) : self$number Function with (value, index) as arguments returning the bucket key or number of groupsThe keys of the original map are preserved in the returned map.
Examples:
Map::from( [1, 2, 3, 4, 5] )->partition( 3 );
// [[0 => 1, 1 => 2], [2 => 3, 3 => 4], [4 => 5]]
Map::from( [1, 2, 3, 4, 5] )->partition( function( $val, $idx ) {
return $idx % 3;
} );
// [0 => [0 => 1, 3 => 4], 1 => [1 => 2, 4 => 5], 2 => [2 => 3]]Passes the map to the given callback and return the result.
public function pipe( \Closure $callback )$callback Function with map as parameter which returns arbitrary resultExamples:
Map::from( ['a', 'b'] )->pipe( function( $map ) {
return strrev( $map->join( '-' ) );
} );
// 'b-a'Returns the values of a single column/property from an array of arrays or list of elements in a new map.
public function pluck( string $valuecol = null, string $indexcol = null ) : self$valuecol Name or path of the value property$indexcol Name or path of the index propertyThis method is an alias for col(). For performance reasons, col() should
be preferred because it uses one method call less than pluck().
Returns and removes the last element from the map.
public function pop()Examples:
Map::from( ['a', 'b'] )->pop();
// 'b', map contains ['a']Returns the numerical index of the value.
public function pos( $value ) : ?int$value Value to search for or function with (item, key) parameters return TRUE if value is foundExamples:
Map::from( [4 => 'a', 8 => 'b'] )->pos( 'b' );
// 1
Map::from( [4 => 'a', 8 => 'b'] )->pos( function( $item, $key ) {
return $item === 'b';
} );
// 1Both examples will return "1" because the value "b" is at the second position and the returned index is zero based so the first item has the index "0".
Adds a prefix in front of each map entry.
public function prefix( $prefix, int $depth = null ) : self$prefix Function with map as parameter which returns arbitrary result$depth Maximum depth to dive into multi-dimensional arrays starting from "1"By default, nested arrays are walked recusively so all entries at all levels are prefixed. The keys of the original map are preserved in the returned map.
Examples:
Map::from( ['a', 'b'] )->prefix( '1-' );
// ['1-a', '1-b']
Map::from( ['a', ['b']] )->prefix( '1-' );
// ['1-a', ['1-b']]
Map::from( ['a', ['b']] )->prefix( '1-', 1 );
// ['1-a', ['b']]
Map::from( ['a', 'b'] )->prefix( function( $item, $key ) {
return ( ord( $item ) + ord( $key ) ) . '-';
} );
// ['145-a', '147-b']Pushes an element onto the beginning of the map without returning a new map.
public function prepend( $value, $key = null ) : self$value Item to add at the beginning$key Key for the item or NULL to reindex all numerical keysThis method is an alias for the unshift() method.
Examples:
Map::from( ['a', 'b'] )->prepend( 'd' );
// ['d', 'a', 'b']
Map::from( ['a', 'b'] )->prepend( 'd', 'first' );
// ['first' => 'd', 0 => 'a', 1 => 'b']Returns and removes an element from the map by its key.
public function pull( $key, $default = null )$key Key to retrieve the value for$default Default value if key isn't availableExamples:
Map::from( ['a', 'b', 'c'] )->pull( 1 );
// 'b', map contains ['a', 'c']
Map::from( ['a', 'b', 'c'] )->pull( 'x', 'none' );
// 'none', map contains ['a', 'b', 'c']Adds an element onto the end of the map without returning a new map.
public function push( $value ) : self$value Value to add to the endExamples:
Map::from( ['a', 'b'] )->push( 'aa' );
// ['a', 'b', 'aa']Sets the given key and value in the map without returning a new map.
public function put( $key, $value ) : selfThis method is an alias for set(). For performance reasons, set() should be
preferred because it uses one method call less than put().
$key Key to set the new value for$value New element that should be setExamples:
Map::from( ['a'] )->put( 1, 'b' );
// [0 => 'a', 1 => 'b']
Map::from( ['a'] )->put( 0, 'b' );
// [0 => 'b']Returns one or more random element from the map.
public function random( int $max = 1 ) : self$max Maximum number of elements that should be returnedThe less elements are in the map, the less random the order will be, especially if the maximum number of values is high or close to the number of elements.
The keys of the original map are preserved in the returned map.
Examples:
Map::from( [2, 4, 8, 16] )->random();
// [2 => 8] or any other key/value pair
Map::from( [2, 4, 8, 16] )->random( 2 );
// [3 => 16, 0 => 2] or any other key/value pair
Map::from( [2, 4, 8, 16] )->random( 5 );
// [0 => 2, 1 => 4, 2 => 8, 3 => 16] in random orderIteratively reduces the array to a single value using a callback function.
public function reduce( callable $callback, $initial = null )$callback Function with (result, value) parameters and returns result$initial Initial value when computing the resultAfterwards, the map will be empty.
Examples:
Map::from( [2, 8] )->reduce( function( $result, $value ) {
return $result += $value;
}, 10 );
// 20 because 10 + 2 + 8 and map equals []Removes all matched elements and returns a new map.
public function reject( $callback = true ) : self$callback Function with (item) parameter which returns TRUE/FALSE or value to compare withThis method is the inverse of the filter() and should return TRUE if the item should be removed from the returned map.
If no callback is passed, all values which are NOT empty, null or false will be removed. The keys of the original map are preserved in the returned map.
Examples:
Map::from( [2 => 'a', 6 => 'b', 13 => 'm', 30 => 'z'] )->reject( function( $value, $key ) {
return $value < 'm';
} );
// [13 => 'm', 30 => 'z']
Map::from( [2 => 'a', 13 => 'm', 30 => 'z'] )->reject( 'm' );
// [2 => 'a', 30 => 'z']
Map::from( [2 => 'a', 6 => null, 13 => 'm'] )->reject();
// [6 => null]Changes the keys according to the passed function.
public function rekey( callable $callback ) : self$callback Function with (value, key) parameters and returns new keyExamples:
Map::from( ['a' => 2, 'b' => 4] )->rekey( function( $value, $key ) {
return 'key-' . $key;
} );
// ['key-a' => 2, 'key-b' => 4]Removes one or more elements from the map by its keys without returning a new map.
public function remove( $keys ) : self$keys List of keysExamples:
Map::from( ['a' => 1, 2 => 'b'] )->remove( 'a' );
// [2 => 'b']
Map::from( ['a' => 1, 2 => 'b'] )->remove( [2, 'a'] );
// []Replaces elements in the map with the given elements without returning a new map.
public function replace( iterable $elements, bool $recursive = true ) : self$elements List of elements$recursive TRUE to replace recursively (default), FALSE to replace elements onlyThe method is similar to merge() but also replaces elements with numeric keys.
These would be added by merge() with a new numeric key.
The keys are preserved in the returned map.
Examples:
Map::from( ['a' => 1, 2 => 'b'] )->replace( ['a' => 2] );
// ['a' => 2, 2 => 'b']
Map::from( ['a' => 1, 'b' => ['c' => 3, 'd' => 4]] )->replace( ['b' => ['c' => 9]] );
// ['a' => 1, 'b' => ['c' => 9, 'd' => 4]]Reverses the element order without returning a new map.
public function reverse() : selfThe keys are preserved using this method.
Examples:
Map::from( ['a', 'b'] )->reverse();
// ['b', 'a']
Map::from( ['name' => 'test', 'last' => 'user'] )->reverse();
// ['last' => 'user', 'name' => 'test']Sorts all elements in reverse order without maintaining the key association.
public function rsort( int $options = SORT_REGULAR ) : self$options Sort options for rsort()The parameter modifies how the values are compared. Possible parameter values are:
setlocale()natsort()The keys are NOT preserved and elements get a new index. No new map is created.
Examples:
Map::from( ['a' => 1, 'b' => 0] )->rsort();
// [0 => 1, 1 => 0]
Map::from( [0 => 'b', 1 => 'a'] )->rsort();
// [0 => 'b', 1 => 'a']
Map::from( [0 => 'C', 1 => 'b'] )->rsort();
// [0 => 'b', 1 => 'C']
Map::from( [0 => 'C', 1 => 'b'] )->rsort( SORT_STRING|SORT_FLAG_CASE );
// [0 => 'C', 1 => 'b'] because 'C' -> 'c' and 'c' > 'b'Removes the passed characters from the right of all strings.
public function rtrim( string $chars = " \n\r\t\v\x00" ) : self$chars List of characters to trimExamples:
Map::from( [" abc\n", "\tcde\r\n"] )->rtrim();
// [" abc", "\tcde"]
Map::from( ["a b c", "cbxa"] )->rtrim( 'abc' );
// ["a b ", "cbx"]Searches the map for a given value and return the corresponding key if successful.
public function search( $value, $strict = true )$value Item to search for$strict TRUE if type of the element should be checked tooExamples:
Map::from( ['a', 'b', 'c'] )->search( 'b' );
// 1
Map::from( [1, 2, 3] )->search( '2', true );
// null because the types doesn't match (int vs. string)Sets the seperator for paths to values in multi-dimensional arrays or objects.
public static function sep( string $char ) : self$char Separator character, e.g. "." for "key.to.value" instead of "key/to/value"This method only changes the separator for the current map instance. To change the separator for all maps created afterwards, use the static Map::delimiter() method instead.
Examples:
Map::from( ['foo' => ['bar' => 'baz']] )->sep( '.' )->get( 'foo.bar' );
// 'baz'Sets an element in the map by key without returning a new map.
public function set( $key, $value ) : self$key Key to set the new value for$value New element that should be setExamples:
Map::from( ['a'] )->set( 1, 'b' );
// [0 => 'a', 1 => 'b']
Map::from( ['a'] )->set( 0, 'b' );
// [0 => 'b']Returns and removes the first element from the map.
public function shift()Examples:
Map::from( ['a', 'b'] )->shift();
// 'a'
Map::from( [] )->shift();
// nullPerformance note:
The bigger the list, the higher the performance impact because shift()
reindexes all existing elements. Usually, it's better to reverse()
the list and pop() entries from the list afterwards if a significant
number of elements should be removed from the list:
$map->reverse()->pop();instead of
$map->shift();Shuffles the elements in the map without returning a new map.
public function shuffle( bool $assoc = false ) : self$assoc True to preserve keys, false to assign new keysExamples:
Map::from( [2 => 'a', 4 => 'b'] )->shuffle();
// ['a', 'b'] in random order with new keys
Map::from( [2 => 'a', 4 => 'b'] )->shuffle( true );
// [2 => 'a', 4 => 'b'] in random order with keys preservedReturns a new map with the given number of items skipped.
public function skip( $offset ) : self$offset Number of items to skip or function($item, $key) returning true for skipped itemsThe keys of the items returned in the new map are the same as in the original one.
Examples:
Map::from( [1, 2, 3, 4] )->skip( 2 );
// [2 => 3, 3 => 4]
Map::from( [1, 2, 3, 4] )->skip( function( $item, $key ) {
return $item < 4;
} );
// [3 => 4]Returns a map with the slice from the original map.
public function slice( int $offset, int $length = null ) : self$offset Number of elements to start from$length Number of elements to return or NULL for no limitThe rules for offsets are:
Similar for the length:
The keys of the items returned in the new map are the same as in the original one.
Examples:
Map::from( ['a', 'b', 'c'] )->slice( 1 );
// ['b', 'c']
Map::from( ['a', 'b', 'c'] )->slice( 1, 1 );
// ['b']
Map::from( ['a', 'b', 'c', 'd'] )->slice( -2, -1 );
// ['c']Tests if at least one element passes the test or is part of the map.
public function some( $values, bool $strict = false ) : bool$values Anonymous function with (item, key) parameter, element or list of elements to test against$strict TRUE to check the type too, using FALSE '1' and 1 will be the sameExamples:
Map::from( ['a', 'b'] )->some( 'a' );
// true
Map::from( ['a', 'b'] )->some( ['a', 'c'] );
// true
Map::from( ['a', 'b'] )->some( function( $item, $key ) {
return $item === 'a'
} );
// true
Map::from( ['a', 'b'] )->some( ['c', 'd'] );
// false
Map::from( ['1', '2'] )->some( [2], true );
// falseSorts all elements without maintaining the key association.
public function sort( int $options = SORT_REGULAR ) : self$options Sort options for sort()The parameter modifies how the values are compared. Possible parameter values are:
setlocale()natsort()The keys are NOT preserved and elements get a new index. No new map is created.
Examples:
Map::from( ['a' => 1, 'b' => 0] )->sort();
// [0 => 0, 1 => 1]
Map::from( [0 => 'b', 1 => 'a'] )->sort();
// [0 => 'a', 1 => 'b']Removes a portion of the map and replace it with the given replacement, then return the updated map.
public function splice( int $offset, int $length = null, $replacement = [] ) : self$offset Number of elements to start from$length Number of elements to remove, NULL for all$replacement List of elements to insertThe rules for offsets are:
Similar for the length:
Numerical array indexes are NOT preserved.
Examples:
Map::from( ['a', 'b', 'c'] )->splice( 1 );
// ['b', 'c'] and map contains ['a']
Map::from( ['a', 'b', 'c'] )->splice( 1, 1, ['x', 'y'] );
// ['b'] and map contains ['a', 'x', 'y', 'c']Returns the strings after the passed value.
public function strAfter( string $value, bool $case = false, string $encoding = 'UTF-8' ) : self$value Character or string to search for$case TRUE if search should be case insensitive, FALSE if case-sensitive$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.All scalar values (bool, int, float, string) will be converted to strings. Non-scalar values as well as empty strings will be skipped and are not part of the result.
Examples:
Map::from( ['äöüß'] )->strAfter( 'ö' );
// ['üß']
Map::from( ['abc'] )->strAfter( '' );
// ['abc']
Map::from( ['abc'] )->strAfter( 'b' );
// ['c']
Map::from( ['abc'] )->strAfter( 'c' );
// ['']
Map::from( ['abc'] )->strAfter( 'x' )
// []
Map::from( [''] )->strAfter( '' );
// []
Map::from( [1, 1.0, true, ['x'], new \stdClass] )->strAfter( '' );
// ['1', '1', '1']
Map::from( [0, 0.0, false, []] )->strAfter( '' );
// ['0', '0']Returns the strings before the passed value.
public function strBefore( string $value, bool $case = false, string $encoding = 'UTF-8' ) : self$value Character or string to search for$case TRUE if search should be case insensitive, FALSE if case-sensitive$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.All scalar values (bool, int, float, string) will be converted to strings. Non-scalar values as well as empty strings will be skipped and are not part of the result.
Examples:
Map::from( ['äöüß'] )->strBefore( 'ü' );
// ['äö']
Map::from( ['abc'] )->strBefore( '' );
// ['abc']
Map::from( ['abc'] )->strBefore( 'b' );
// ['a']
Map::from( ['abc'] )->strBefore( 'a' );
// ['']
Map::from( ['abc'] )->strBefore( 'x' )
// []
Map::from( [''] )->strBefore( '' );
// []
Map::from( [1, 1.0, true, ['x'], new \stdClass] )->strBefore( '' );
// ['1', '1', '1']
Map::from( [0, 0.0, false, []] )->strBefore( '' );
// ['0', '0']Tests if at least one of the passed strings is part of at least one entry.
public function strContains( $value, string $encoding = 'UTF-8' ) : bool$value The string or list of strings to search for in each entry$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.Examples:
Map::from( ['abc'] )->strContains( '' );
// true
Map::from( ['abc'] )->strContains( 'a' );
// true
Map::from( ['abc'] )->strContains( 'bc' );
// true
Map::from( [12345] )->strContains( '23' );
// true
Map::from( [123.4] )->strContains( 23.4 );
// true
Map::from( [12345] )->strContains( false );
// true ('12345' contains '')
Map::from( [12345] )->strContains( true );
// true ('12345' contains '1')
Map::from( [false] )->strContains( false );
// true ('' contains '')
Map::from( [''] )->strContains( false );
// true ('' contains '')
Map::from( ['abc'] )->strContains( ['b', 'd'] );
// true
Map::from( ['abc'] )->strContains( 'c', 'ASCII' );
// true
Map::from( ['abc'] )->strContains( 'd' );
// false
Map::from( ['abc'] )->strContains( 'cb' );
// false
Map::from( [23456] )->strContains( true );
// false ('23456' doesn't contain '1')
Map::from( [false] )->strContains( 0 );
// false ('' doesn't contain '0')
Map::from( ['abc'] )->strContains( ['d', 'e'] );
// false
Map::from( ['abc'] )->strContains( 'cb', 'ASCII' );
// falseTests if all of the entries contains one of the passed strings.
public function strContainsAll( $value, string $encoding = 'UTF-8' ) : bool$value The string or list of strings to search for in each entry$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.Examples:
Map::from( ['abc', 'def'] )->strContainsAll( '' );
// true
Map::from( ['abc', 'cba'] )->strContainsAll( 'a' );
// true
Map::from( ['abc', 'bca'] )->strContainsAll( 'bc' );
// true
Map::from( [12345, '230'] )->strContainsAll( '23' );
// true
Map::from( [123.4, 23.42] )->strContainsAll( 23.4 );
// true
Map::from( [12345, '234'] )->strContainsAll( [true, false] );
// true ('12345' contains '1' and '234' contains '')
Map::from( ['', false] )->strContainsAll( false );
// true ('' contains '')
Map::from( ['abc', 'def'] )->strContainsAll( ['b', 'd'] );
// true
Map::from( ['abc', 'ecf'] )->strContainsAll( 'c', 'ASCII' );
// true
Map::from( ['abc', 'def'] )->strContainsAll( 'd' );
// false
Map::from( ['abc', 'cab'] )->strContainsAll( 'cb' );
// false
Map::from( [23456, '123'] )->strContains( true );
// false ('23456' doesn't contain '1')
Map::from( [false, '000'] )->strContains( 0 );
// false ('' doesn't contain '0')
Map::from( ['abc', 'acf'] )->strContainsAll( ['d', 'e'] );
// false
Map::from( ['abc', 'bca'] )->strContainsAll( 'cb', 'ASCII' );
// falseTests if at least one of the entries ends with one of the passed strings.
public function strEnds( $value, string $encoding = 'UTF-8' ) : bool$value The string or list of strings to search for in each entry$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.Examples:
Map::from( ['abc'] )->strEnds( '' );
// true
Map::from( ['abc'] )->strEnds( 'c' );
// true
Map::from( ['abc'] )->strEnds( 'bc' );
// true
Map::from( ['abc'] )->strEnds( ['b', 'c'] );
// true
Map::from( ['abc'] )->strEnds( 'c', 'ASCII' );
// true
Map::from( ['abc'] )->strEnds( 'a' );
// false
Map::from( ['abc'] )->strEnds( 'cb' );
// false
Map::from( ['abc'] )->strEnds( ['d', 'b'] );
// false
Map::from( ['abc'] )->strEnds( 'cb', 'ASCII' );
// falseTests if all of the entries ends with at least one of the passed strings.
public function strEndsAll( $value, string $encoding = 'UTF-8' ) : bool$value The string or list of strings to search for in each entry$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.Examples:
Map::from( ['abc', 'def'] )->strEndsAll( '' );
// true
Map::from( ['abc', 'bac'] )->strEndsAll( 'c' );
// true
Map::from( ['abc', 'cbc'] )->strEndsAll( 'bc' );
// true
Map::from( ['abc', 'def'] )->strEndsAll( ['c', 'f'] );
// true
Map::from( ['abc', 'efc'] )->strEndsAll( 'c', 'ASCII' );
// true
Map::from( ['abc', 'fed'] )->strEndsAll( 'd' );
// false
Map::from( ['abc', 'bca'] )->strEndsAll( 'ca' );
// false
Map::from( ['abc', 'acf'] )->strEndsAll( ['a', 'c'] );
// false
Map::from( ['abc', 'bca'] )->strEndsAll( 'ca', 'ASCII' );
// falseReturns an element by key and casts it to string if possible.
public function string( $key, $default = '' ) : string$key Key or path to the requested item$default Default value if key isn't found (will be casted to string)This does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( ['a' => true] )->string( 'a' );
// '1'
Map::from( ['a' => 1] )->string( 'a' );
// '1'
Map::from( ['a' => 1.1] )->string( 'a' );
// '1.1'
Map::from( ['a' => 'abc'] )->string( 'a' );
// 'abc'
Map::from( ['a' => ['b' => ['c' => 'yes']]] )->string( 'a/b/c' );
// 'yes'
Map::from( [] )->string( 'c', function() { return 'no'; } );
// 'no'
Map::from( [] )->string( 'b' );
// ''
Map::from( ['b' => ''] )->string( 'b' );
// ''
Map::from( ['b' => null] )->string( 'b' );
// ''
Map::from( ['b' => [true]] )->string( 'b' );
// ''
Map::from( ['b' => '#resource'] )->string( 'b' );
// '' (resources are not scalar)
Map::from( ['b' => new \stdClass] )->string( 'b' );
// '' (objects are not scalar)
Map::from( [] )->string( 'c', new \Exception( 'error' ) );
// throws exceptionConverts all alphabetic characters in strings to lower case.
public function strLower( string $encoding = 'UTF-8' ) : self$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.Examples:
Map::from( ['My String'] )->strLower();
// ["my string"]
Map::from( ['Τάχιστη'] )->strLower();
// ["τάχιστη"]
Map::from( ['Äpfel', 'Birnen'] )->strLower( 'ISO-8859-1' );
// ["äpfel", "birnen"]Replaces all occurrences of the search string with the replacement string.
public function strReplace( $search, $replace, bool $case = false ) : self$search String or list of strings to search for$replace String or list of strings of replacement strings$case TRUE if replacements should be case insensitive, FALSE if case-sensitiveIf you use an array of strings for search or search/replacement, the order of the strings matters! Each search string found is replaced by the corresponding replacement string at the same position.
In case of array parameters and if the number of replacement strings is less than the number of search strings, the search strings with no corresponding replacement string are replaced with empty strings. Replacement strings with no corresponding search string are ignored.
An array parameter for the replacements is only allowed if the search parameter is an array of strings too!
Because the method replaces from left to right, it might replace a previously inserted value when doing multiple replacements. Entries which are non-string values are left untouched.
Examples:
Map::from( ['google.com', 'aimeos.com'] )->strReplace( '.com', '.de' );
// ['google.de', 'aimeos.de']
Map::from( ['google.com', 'aimeos.org'] )->strReplace( ['.com', '.org'], '.de' );
// ['google.de', 'aimeos.de']
Map::from( ['google.com', 'aimeos.org'] )->strReplace( ['.com', '.org'], ['.de'] );
// ['google.de', 'aimeos']
Map::from( ['google.com', 'aimeos.org'] )->strReplace( ['.com', '.org'], ['.fr', '.de'] );
// ['google.fr', 'aimeos.de']
Map::from( ['google.com', 'aimeos.com'] )->strReplace( ['.com', '.co'], ['.co', '.de', '.fr'] );
// ['google.de', 'aimeos.de']
Map::from( ['google.com', 'aimeos.com', 123] )->strReplace( '.com', '.de' );
// ['google.de', 'aimeos.de', 123]
Map::from( ['GOOGLE.COM', 'AIMEOS.COM'] )->strReplace( '.com', '.de', true );
// ['GOOGLE.de', 'AIMEOS.de']Tests if at least one of the entries starts with at least one of the passed strings.
public function strStarts( $value, string $encoding = 'UTF-8' ) : bool$value The string or list of strings to search for in each entry$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.Examples:
Map::from( ['abc'] )->strStarts( '' );
// true
Map::from( ['abc'] )->strStarts( 'a' );
// true
Map::from( ['abc'] )->strStarts( 'ab' );
// true
Map::from( ['abc'] )->strStarts( ['a', 'b'] );
// true
Map::from( ['abc'] )->strStarts( 'ab', 'ASCII' );
// true
Map::from( ['abc'] )->strStarts( 'b' );
// false
Map::from( ['abc'] )->strStarts( 'bc' );
// false
Map::from( ['abc'] )->strStarts( ['b', 'c'] );
// false
Map::from( ['abc'] )->strStarts( 'bc', 'ASCII' );
// falseTests if all of the entries starts with one of the passed strings.
public function strStartsAll( $value, string $encoding = 'UTF-8' ) : bool$value The string or list of strings to search for in each entry$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.Examples:
Map::from( ['abc', 'def'] )->strStartsAll( '' );
// true
Map::from( ['abc', 'acb'] )->strStartsAll( 'a' );
// true
Map::from( ['abc', 'aba'] )->strStartsAll( 'ab' );
// true
Map::from( ['abc', 'def'] )->strStartsAll( ['a', 'd'] );
// true
Map::from( ['abc', 'acf'] )->strStartsAll( 'a', 'ASCII' );
// true
Map::from( ['abc', 'def'] )->strStartsAll( 'd' );
// false
Map::from( ['abc', 'bca'] )->strStartsAll( 'ab' );
// false
Map::from( ['abc', 'bac'] )->strStartsAll( ['a', 'c'] );
// false
Map::from( ['abc', 'cab'] )->strStartsAll( 'ab', 'ASCII' );
// falseConverts all alphabetic characters in strings to upper case.
public function strUpper( string $encoding = 'UTF-8' ) :self$encoding Character encoding of the strings, e.g. "UTF-8" (default), "ASCII", "ISO-8859-1", etc.Examples:
Map::from( ['My String'] )->strUpper();
// ["MY STRING"]
Map::from( ['τάχιστη'] )->strUpper();
// ["ΤΆΧΙΣΤΗ"]
Map::from( ['äpfel', 'birnen'] )->strUpper( 'ISO-8859-1' );
// ["ÄPFEL", "BIRNEN"]Adds a suffix at the end of each map entry.
public function suffix( $suffix, int $depth = null ) : self$suffix Function with map as parameter which returns arbitrary result$depth Maximum depth to dive into multi-dimensional arrays starting from "1"By defaul, nested arrays are walked recusively so all entries at all levels are suffixed. The keys are preserved using this method.
Examples:
Map::from( ['a', 'b'] )->suffix( '-1' );
// ['a-1', 'b-1']
Map::from( ['a', ['b']] )->suffix( '-1' );
// ['a-1', ['b-1']]
Map::from( ['a', ['b']] )->suffix( '-1', 1 );
// ['a-1', ['b']]
Map::from( ['a', 'b'] )->suffix( function( $item, $key ) {
return '-' . ( ord( $item ) + ord( $key ) );
} );
// ['a-145', 'b-147']Returns the sum of all integer and float values in the map.
public function sum( string $col = null ) : float$col Key in the nested array or object to sum upThis does also work to map values from multi-dimensional arrays by passing the keys
of the arrays separated by the delimiter ("/" by default), e.g. key1/key2/key3
to get val from ['key1' => ['key2' => ['key3' => 'val']]]. The same applies to
public properties of objects or objects implementing __isset() and __get() methods.
Examples:
Map::from( [1, 3, 5] )->sum();
// 9
Map::from( [1, 'sum', 5] )->sum();
// 6
Map::from( [['p' => 30], ['p' => 50], ['p' => 10]] )->sum( 'p' );
// 90
Map::from( [['i' => ['p' => 30]], ['i' => ['p' => 50]]] )->sum( 'i/p' );
// 80Returns a new map with the given number of items.
public function take( int $size, $offset = 0 ) : self$size Number of items to return$offset Number of items to skip or function($item, $key) returning true for skipped itemsThe keys of the items returned in the new map are the same as in the original one.
Examples:
Map::from( [1, 2, 3, 4] )->take( 2 );
// [0 => 1, 1 => 2]
Map::from( [1, 2, 3, 4] )->take( 2, 1 );
// [1 => 2, 2 => 3]
Map::from( [1, 2, 3, 4] )->take( 2, -2 );
// [2 => 3, 3 => 4]
Map::from( [1, 2, 3, 4] )->take( 2, function( $item, $key ) {
return $item < 2;
} );
// [1 => 2, 2 => 3]Passes a clone of the map to the given callback.
public function tap( callable $callback ) : self$callback Function receiving ($map) parameterUse it to "tap" into a chain of methods to check the state between two method calls. The original map is not altered by anything done in the callback.
Examples:
Map::from( [3, 2, 1] )->rsort()->tap( function( $map ) {
print_r( $map->remove( 0 )->toArray() );
} )->first();
// 1It will sort the list in reverse order([1, 2, 3]), then prints the items ([2, 3])
without the first one in the function passed to tap() and returns the first item
("1") at the end.
Creates a new map by invoking the closure the given number of times.
public static function times( int $num, \Closure $callback ) : self$num Number of times the function is called$callback Function with (value, key) parameters and returns new valueThis method creates a lazy Map and the entries are generated after calling another method that operates on the Map contents. Thus, the passed callback is not called immediately!
Examples:
Map::times( 3, function( $num ) {
return $num * 10;
} );
// [0 => 0, 1 => 10, 2 => 20]
Map::times( 3, function( $num, &$key ) {
$key = $num * 2;
return $num * 5;
} );
// [0 => 0, 2 => 5, 4 => 10]
Map::times( 2, function( $num ) {
return new \stdClass();
} );
// [0 => new \stdClass(), 1 => new \stdClass()]Returns the elements as a plain array.
public function toArray() : arrayExamples:
Map::from( ['a'] )->toArray();
// ['a']Returns the elements encoded as JSON string.
public function toJson( int $options = 0 ) : ?string$options Combination of JSON_* constantsThere are several options available to modify the JSON string which are described in the PHP json_encode() manual. The parameter can be a single JSON_* constant or a bitmask of several constants combine by bitwise OR (|), e.g.:
JSON_FORCE_OBJECT|JSON_HEX_QUOTExamples:
Map::from( ['a', 'b'] )->toJson();
// '["a","b"]'
Map::from( ['a' => 'b'] )->toJson();
// '{"a":"b"}'
Map::from( ['a', 'b'] )->toJson( JSON_FORCE_OBJECT );
// '{"0":"a", "1":"b"}'Creates a HTTP query string from the map elements.
public function toUrl() : stringExamples:
Map::from( ['a' => 1, 'b' => 2] )->toUrl();
// a=1&b=2
Map::from( ['a' => ['b' => 'abc', 'c' => 'def'], 'd' => 123] )->toUrl();
// a%5Bb%5D=abc&a%5Bc%5D=def&d=123Exchanges rows and columns for a two dimensional map.
public function transpose() : selfExamples:
Map::from( [
['name' => 'A', 2020 => 200, 2021 => 100, 2022 => 50],
['name' => 'B', 2020 => 300, 2021 => 200, 2022 => 100],
['name' => 'C', 2020 => 400, 2021 => 300, 2022 => 200],
] )->transpose();
/*
[
'name' => ['A', 'B', 'C'],
2020 => [200, 300, 400],
2021 => [100, 200, 300],
2022 => [50, 100, 200]
]
*/
Map::from( [
['name' => 'A', 2020 => 200, 2021 => 100, 2022 => 50],
['name' => 'B', 2020 => 300, 2021 => 200],
['name' => 'C', 2020 => 400]
] );
/*
[
'name' => ['A', 'B', 'C'],
2020 => [200, 300, 400],
2021 => [100, 200],
2022 => [50]
]
*/Traverses trees of nested items passing each item to the callback.
public function traverse( \Closure $callback = null, string $nestKey = 'children' ) : self$callback Callback with (entry, key, level) arguments, returns the entry added to result$nestKey Key to the children of each itemThis does work for nested arrays and objects with public properties or
objects implementing __isset() and __get() methods. To build trees
of nested items, use the tree() method.
Examples:
Map::from( [[
'id' => 1, 'pid' => null, 'name' => 'n1', 'children' => [
['id' => 2, 'pid' => 1, 'name' => 'n2', 'children' => []],
['id' => 3, 'pid' => 1, 'name' => 'n3', 'children' => []]
]
]] )->traverse();
/*
[
['id' => 1, 'pid' => null, 'name' => 'n1', 'children' => [...]],
['id' => 2, 'pid' => 1, 'name' => 'n2', 'children' => []],
['id' => 3, 'pid' => 1, 'name' => 'n3', 'children' => []],
]
*/
Map::from( [[
'id' => 1, 'pid' => null, 'name' => 'n1', 'children' => [
['id' => 2, 'pid' => 1, 'name' => 'n2', 'children' => []],
['id' => 3, 'pid' => 1, 'name' => 'n3', 'children' => []]
]
]] )->traverse( function( $entry, $key, $level ) {
return str_repeat( '-', $level ) . '- ' . $entry['name'];
} );
// ['- n1', '-- n2', '-- n3']
Map::from( [[
'id' => 1, 'pid' => null, 'name' => 'n1', 'nodes' => [
['id' => 2, 'pid' => 1, 'name' => 'n2', 'nodes' => []]
]
]] )->traverse( null, 'nodes' );
/*
[
['id' => 1, 'pid' => null, 'name' => 'n1', 'nodes' => [...]],
['id' => 2, 'pid' => 1, 'name' => 'n2', 'nodes' => []],
]
*/Creates a tree structure from the list items.
public function tree( string $idKey, string $parentKey, string $nestKey = 'children' ) : self$idKey Name of the key with the unique ID of the node$parentKey Name of the key with the ID of the parent node$nestKey Name of the key with will contain the children of the nodeUse this method to rebuild trees e.g. from database records. To traverse trees, use the traverse() method.
Examples:
Map::from( [
['id' => 1, 'pid' => null, 'lvl' => 0, 'name' => 'n1'],
['id' => 2, 'pid' => 1, 'lvl' => 1, 'name' => 'n2'],
['id' => 3, 'pid' => 2, 'lvl' => 2, 'name' => 'n3'],
['id' => 4, 'pid' => 1, 'lvl' => 1, 'name' => 'n4'],
['id' => 5, 'pid' => 3, 'lvl' => 2, 'name' => 'n5'],
['id' => 6, 'pid' => 1, 'lvl' => 1, 'name' => 'n6'],
] )->tree( 'id', 'pid' );
/*
[1 => [
'id' => 1, 'pid' => null, 'lvl' => 0, 'name' => 'n1', 'children' => [
2 => ['id' => 2, 'pid' => 1, 'lvl' => 1, 'name' => 'n2', 'children' => [
3 => ['id' => 3, 'pid' => 2, 'lvl' => 2, 'name' => 'n3', 'children' => []]
]],
4 => ['id' => 4, 'pid' => 1, 'lvl' => 1, 'name' => 'n4', 'children' => [
5 => ['id' => 5, 'pid' => 3, 'lvl' => 2, 'name' => 'n5', 'children' => []]
]],
6 => ['id' => 6, 'pid' => 1, 'lvl' => 1, 'name' => 'n6', 'children' => []]
]
]]
*/To build the tree correctly, the items must be in order or at least the nodes of the lower levels must come first. For a tree like this:
n1
|- n2
| |- n3
|- n4
| |- n5
|- n6
Accepted item order:
If your items are unordered, apply usort() first to the map entries, e.g.
Map::from( [['id' => 3, 'lvl' => 2], ...] )->usort( function( $item1, $item2 ) {
return $item1['lvl'] <=> $item2['lvl'];
} );Removes the passed characters from the left/right of all strings.
public function trim( string $chars = " \n\r\t\v\x00" ) : self$chars List of characters to trimExamples:
Map::from( [" abc\n", "\tcde\r\n"] )->trim();
// ["abc", "cde"]
Map::from( ["a b c", "cbax"] )->trim( 'abc' );
// [" b ", "x"]Sorts all elements using a callback and maintains the key association.
public function uasort( callable $callback ) : self$callback Function with (itemA, itemB) parameters and returns -1 (<), 0 (=) and 1 (>)The given callback will be used to compare the values. The callback must accept two parameters (item A and B) and must return -1 if item A is smaller than item B, 0 if both are equal and 1 if item A is greater than item B. Both, a method name and an anonymous function can be passed.
The keys are preserved using this method and no new map is created.
Examples:
Map::from( ['a' => 'B', 'b' => 'a'] )->uasort( 'strcasecmp' );
// ['b' => 'a', 'a' => 'B']
Map::from( ['a' => 'B', 'b' => 'a'] )->uasort( function( $itemA, $itemB ) {
return strtolower( $itemA ) <=> strtolower( $itemB );
} );
// ['b' => 'a', 'a' => 'B']Sorts the map elements by their keys using a callback.
public function uksort( callable $callback ) : self$callback Function with (keyA, keyB) parameters and returns -1 (<), 0 (=) and 1 (>)The given callback will be used to compare the keys. The callback must accept two parameters (key A and B) and must return -1 if key A is smaller than key B, 0 if both are equal and 1 if key A is greater than key B. Both, a method name and an anonymous function can be passed.
The keys are preserved using this method and no new map is created.
Examples:
Map::from( ['B' => 'a', 'a' => 'b'] )->uksort( 'strcasecmp' );
// ['a' => 'b', 'B' => 'a']
Map::from( ['B' => 'a', 'a' => 'b'] )->uksort( function( $keyA, $keyB ) {
return strtolower( $keyA ) <=> strtolower( $keyB );
} );
// ['a' => 'b', 'B' => 'a']Builds a union of the elements and the given elements without returning a new map. Existing keys in the map will not be overwritten
public function union( iterable $elements ) : self$elements List of elementsIf list entries should be overwritten, use merge() instead. The keys are preserved using this method and no new map is created.
Examples:
Map::from( [0 => 'a', 1 => 'b'] )->union( [0 => 'c'] );
// [0 => 'a', 1 => 'b'] because the key 0 isn't overwritten
Map::from( ['a' => 1, 'b' => 2] )->union( ['c' => 1] );
// ['a' => 1, 'b' => 2, 'c' => 1]Returns only unique elements from the map in a new map
public function unique( string $key = null ) : self$key Key or path of the nested array or object to check forTwo elements are considered equal if comparing their string representions returns TRUE:
(string) $elem1 === (string) $elem2The keys of the elements are only preserved in the new map if no key is passed.
Examples:
Map::from( [0 => 'a', 1 => 'b', 2 => 'b', 3 => 'c'] )->unique();
// [0 => 'a', 1 => 'b', 3 => 'c']
Map::from( [['p' => '1'], ['p' => 1], ['p' => 2]] )->unique( 'p' );
// [['p' => 1], ['p' => 2]]
Map::from( [['i' => ['p' => '1']], ['i' => ['p' => 1]]] )->unique( 'i/p' );
// [['i' => ['p' => '1']]]Pushes an element onto the beginning of the map without returning a new map.
public function unshift( $value, $key = null ) : self$value Item to add at the beginning$key Key for the item or NULL to reindex all numerical keysThe keys of the elements are only preserved in the new map if no key is passed.
Examples:
Map::from( ['a', 'b'] )->unshift( 'd' );
// ['d', 'a', 'b']
Map::from( ['a', 'b'] )->unshift( 'd', 'first' );
// ['first' => 'd', 0 => 'a', 1 => 'b']Performance note:
The bigger the list, the higher the performance impact because unshift()
needs to create a new list and copies all existing elements to the new
array. Usually, it's better to push() new entries at the end and
reverse() the list afterwards:
$map->push( 'a' )->push( 'b' )->reverse();instead of
$map->unshift( 'a' )->unshift( 'b' );Sorts all elements using a callback without maintaining the key association.
public function usort( callable $callback ) : self$callback Function with (itemA, itemB) parameters and returns -1 (<), 0 (=) and 1 (>)The given callback will be used to compare the values. The callback must accept two parameters (item A and B) and must return -1 if item A is smaller than item B, 0 if both are equal and 1 if item A is greater than item B. Both, a method name and an anonymous function can be passed.
The keys are NOT preserved and elements get a new index. No new map is created.
Examples:
Map::from( ['a' => 'B', 'b' => 'a'] )->usort( 'strcasecmp' );
// [0 => 'a', 1 => 'B']
Map::from( ['a' => 'B', 'b' => 'a'] )->usort( function( $itemA, $itemB ) {
return strtolower( $itemA ) <=> strtolower( $itemB );
} );
// [0 => 'a', 1 => 'B']Resets the keys and return the values in a new map.
public function values() : selfExamples:
Map::from( ['x' => 'b', 2 => 'a', 'c'] )->values();
// [0 => 'b', 1 => 'a', 2 => 'c']Applies the given callback to all elements.
public function walk( callable $callback, $data = null, bool $recursive = true ) : self$callback Function with (item, key, data) parameters$data Arbitrary data that will be passed to the callback as third parameter$recursive TRUE to traverse sub-arrays recursively (default), FALSE to iterate Map elements onlyTo change the values of the Map, specify the value parameter as reference
(&$value). You can only change the values but not the keys nor the array
structure.
By default, Map elements which are arrays will be traversed recursively. To iterate over the Map elements only, pass FALSE as third parameter.
Examples:
Map::from( ['a', 'B', ['c', 'd'], 'e'] )->walk( function( &$value ) {
$value = strtoupper( $value );
} );
// ['A', 'B', ['C', 'D'], 'E']
Map::from( [66 => 'B', 97 => 'a'] )->walk( function( $value, $key ) {
echo 'ASCII ' . $key . ' is ' . $value . "\n";
} );
/*
ASCII 66 is B
ASCII 97 is a
*/
Map::from( [1, 2, 3] )->walk( function( &$value, $key, $data ) {
$value = $data[$value] ?? $value;
}, [1 => 'one', 2 => 'two'] );
// ['one', 'two', 3]Filters the list of elements by a given condition.
public function where( string $key, string $op, $value ) : self$key Key or path of the value of the array or object used for comparison$op Operator used for comparison$value Value used for comparisonAvailable operators are:
The keys of the original map are preserved in the returned map.
Examples:
Map::from( [
['id' => 1, 'type' => 'name'],
['id' => 2, 'type' => 'short'],
] )->where( 'type', '==', 'name' );
/*
[
['id' => 1, 'type' => 'name']
]
*/
Map::from( [
['id' => 3, 'price' => 10],
['id' => 4, 'price' => 50],
] )->where( 'price', '>', 20 );
/*
[
['id' => 4, 'price' => 50]
]
*/
Map::from( [
['id' => 3, 'price' => 10],
['id' => 4, 'price' => 50],
] )->where( 'price', 'in', [10, 25] );
/*
[
['id' => 3, 'price' => 10]
]
*/
Map::from( [
['id' => 3, 'price' => 10],
['id' => 4, 'price' => 50],
] )->where( 'price', '-', [10, 100] );
/*
[
['id' => 3, 'price' => 10],
['id' => 4, 'price' => 50]
]
*/
Map::from( [
['item' => ['id' => 3, 'price' => 10]],
['item' => ['id' => 4, 'price' => 50]],
] )->where( 'item/price', '>', 30 );
/*
[
['id' => 4, 'price' => 50]
]
*/Merges the values of all arrays at the corresponding index.
public function zip( $array1, ... ) : self$array1 List of arrays to merge with at the same positionExamples:
Map::from( [1, 2, 3] )->zip( ['one', 'two', 'three'], ['uno', 'dos', 'tres'] );
/*
[
[1, 'one', 'uno'],
[2, 'two', 'dos'],
[3, 'three', 'tres'],
]
*/Most of the time, it's enough to pass an anonymous function to the pipe() method to implement custom functionality in map objects:
Map::from( ['a', 'b'] )->pipe( function( $map ) {
return strrev( $map->join( '-' ) );
} );If you need some functionality more often and at different places in your source code, than it's better to register a custom method once and only call it everywhere:
Map::method( 'strrev', function( $sep ) {
return strrev( join( '-', $this->list() ) );
} );
Map::from( ['a', 'b'] )->strrev( '-' );Make sure, you register the method before using it. You can pass arbitrary parameters
to your function and it has access to the internas of the map. Thus, your function
can use $this to call all available methods:
Map::method( 'notInBoth', function( iterable $elements ) {
return new self( $this->diff( $elements ) + Map::from( $elements )->diff( $this->items ) );
} );Your custom method has access to $this->items array which contains the map
elements and can also use the internal $this->getArray( iterable $list ) method to
convert iterable parameters (arrays, generators and objects implementing \Traversable)
to plain arrays:
Map::method( 'mycombine', function( iterable $keys ) {
return new self( array_combine( $this->getArray( $keys ), $this-items ) );
} );The performance most methods only depends on the array_* function that are used internally by the Map class. If the methods of the Map class contains additional code, it's optimized to be as fast as possible.
Creating an map object with an array instead of creating a plain array only is significantly slower (ca. 10x) but in absolute values we are talking about nano seconds. It will only get notable if you create 10,000 map objects instead of 10,000 arrays. Then, creating maps will last ca. 10ms longer.
Usually, this isn't much of a problem because applications create arrays with lots of elements instead of 10,000+ arrays. Nevertheless, if your application creates a very large number of arrays within one area, you should think about avoiding map objects in that area.
If you use the map() function or Map::from() to create
map objects, then be aware that this adds another function call. Using these methods
for creating the map object lasts around 1.1x resp. 1.3x compared to the time for
new Map().
Conclusion: Using new Map() is fastest and map() is faster than Map::from().
Adding an element to a Map object using $map[] = 'a' is ca. 5x slower than
doing the same on a plain array. This is because the method offsetSet() will
be called instead of adding the new element to the array directly. This applies
to the $map->push( 'a' ) method too.
When creating arrays in loops, you should populate the array first and then create a Map object from the the array:
$list = [];
for( $i = 0; $i < 1000; $i++ ) {
$list[] = $i;
}
$map = map( $list );The array is NOT copied when creating the Map object so there's virtually no performance loss using the Map afterwards.
Language constructs such as empty(), count() or isset() are faster than
calling a method and using $map->isEmpty() or $map->count() is ca. 4x
slower.
Again, we are talking about nano seconds. For 10,000 calls to empty( $array )
compared to $map->isEmpty(), the costs are around 4ms in total.
Using the Map methods instead of the array_* functions adds an additional method call. Internally, the Map objects uses the same array_* functions but offers a much more usable interface.
The time for the additional method call is almost neglectable because the array_* methods needs much longer to perform the operation on the array elements depending on the size of the array.
Several Map methods support passing an anonymous function that is applied to every element of the map. PHP needs some time to call the passed function and to execute its code. Depending on the number of elements, this may have a significant impact on performance!
The pipe() method of the Map object is an exception because it receives the whole map object instead of each element separately. Its performance mainly depends on the implemented code:
$map->pipe( function( Map $map ) {
// perform operations on the map
} );Both methods are costly, especially on large arrays. The used array_shift() and
array_unshift() functions will reindex all numerical keys of the array.
If you want to reduce or create a large list of elements from the beginning in an iterative way, you should use reverse() and pop()/push() instead of shift() and unshift()/prepend():
$map->reverse()->pop(); // use pop() until it returns NULL
$map->push( 'z' )->push( 'y' )->push( 'x' )->reverse(); // use push() for addingWhen adding own methods to the Map object, don't access the $this->list class
variable directly. It's not guaranteed to be an array any more but will store
the value passed to the Map constructor. Instead, use the `list() method to get
a reference to the array of elements:
$this->list();As it's a reference to the array of elements, you can modify it directly or even use PHP functions that require a variable reference:
$this->list()[] = 123;
reset( $this->list() );Two internal methods have been renamed and you have to use their new name if you have added own methods to the Map object:
// instead of $this->getArray( $array )
$this->array( $array )
// instead of $this->getValue( $entry, array $parts )
$this->val( $entry, array $parts )You can call methods of objects in a map like this:
// MyClass implements setStatus() (returning $this) and getCode() (initialized by constructor)
$map = Map::from( ['a' => new MyClass( 'x' ), 'b' => new MyClass( 'y' )] );
$map->setStatus( 1 )->getCode()->toArray();Before, it was checked if the objects really implement setStatus() and getCode().
This isn't the case any more to avoid returning an empty map if the method name is
wrong or the called method is implemented using the __call() magic method. Now, PHP
generates a fatal error if the method isn't implemented by all objects.
The second parameter of the equals() method ($assoc) to compare keys
too has been removed. Use the is() method instead:
// 1.x
map( ['one' => 1] )->equals( ['one' => 1], true );
// 2.x
map( ['one' => 1] )->is( ['one' => 1] );A default value or exception object can be passed to the find() method now
as second argument. The $reverse argument has been moved to the third position.
// 1.x
Map::from( ['a', 'c', 'e'] )->find( function( $value, $key ) {
return $value >= 'b';
}, true );
// 2.x
Map::from( ['a', 'c', 'e'] )->find( function( $value, $key ) {
return $value >= 'b';
}, null, true );If the key passed to groupBy() didn't exist, the items have been grouped using the given key. Now, an empty string is used as key to offer easier checking and sorting of the keys.
Map::from( [
10 => ['aid' => 123, 'code' => 'x-abc'],
] )->groupBy( 'xid' );
// 1.x
[
'xid' => [
10 => ['aid' => 123, 'code' => 'x-abc']
]
]
// 2.x
[
'' => [
10 => ['aid' => 123, 'code' => 'x-abc']
]
]To be consistent with typical PHP behavior, the offsetExists() method
use isset() instead of array_key_exists() now. This changes the behavior when dealing
with NULL values.
$m = Map::from( ['foo' => null] );
// 1.x
isset( $m['foo'] ); // true
// 2.x
isset( $m['foo'] ); // falseThe static Map::split() method has been renamed to Map::explode() and
the argument order has changed. This avoids conflicts with the Laravel split() method
and is in line with the PHP explode() method.
// 1.x
Map::split( 'a,b,c', ',' );
// 2.x
Map::explode( ',', 'a,b,c' );