Passed
Pull Request — master (#50)
by Sergei
11:59
created

ArrayHelper::getValue()   A

Complexity

Conditions 6
Paths 5

Size

Total Lines 21
Code Lines 11

Duplication

Lines 0
Ratio 0 %

Code Coverage

Tests 7
CRAP Score 6

Importance

Changes 1
Bugs 0 Features 0
Metric Value
eloc 11
c 1
b 0
f 0
dl 0
loc 21
ccs 7
cts 7
cp 1
rs 9.2222
cc 6
nc 5
nop 3
crap 6
1
<?php
2
3
declare(strict_types=1);
4
5
namespace Yiisoft\Arrays;
6
7
use InvalidArgumentException;
8
use Throwable;
9
use Yiisoft\Arrays\Modifier\ModifierInterface;
10
use Yiisoft\Arrays\Modifier\ReverseBlockMerge;
11
12
/**
13
 * Yii array helper provides static methods allowing you to deal with arrays more efficiently.
14
 */
15
class ArrayHelper
16
{
17
    /**
18
     * Converts an object or an array of objects into an array.
19
     * @param object|array|string $object the object to be converted into an array
20
     * @param array $properties a mapping from object class names to the properties that need to put into the resulting arrays.
21
     * The properties specified for each class is an array of the following format:
22
     *
23
     * ```php
24
     * [
25
     *     'app\models\Post' => [
26
     *         'id',
27
     *         'title',
28
     *         // the key name in array result => property name
29
     *         'createTime' => 'created_at',
30
     *         // the key name in array result => anonymous function
31
     *         'length' => function ($post) {
32
     *             return strlen($post->content);
33
     *         },
34
     *     ],
35
     * ]
36
     * ```
37
     *
38
     * The result of `ArrayHelper::toArray($post, $properties)` could be like the following:
39
     *
40
     * ```php
41
     * [
42
     *     'id' => 123,
43
     *     'title' => 'test',
44
     *     'createTime' => '2013-01-01 12:00AM',
45
     *     'length' => 301,
46
     * ]
47
     * ```
48
     *
49
     * @param bool $recursive whether to recursively converts properties which are objects into arrays.
50
     * @return array the array representation of the object
51
     */
52 2
    public static function toArray($object, array $properties = [], bool $recursive = true): array
53
    {
54 2
        if (is_array($object)) {
55 2
            if ($recursive) {
56 2
                foreach ($object as $key => $value) {
57 2
                    if (is_array($value) || is_object($value)) {
58 2
                        $object[$key] = static::toArray($value, $properties, true);
59
                    }
60
                }
61
            }
62
63 2
            return $object;
64
        }
65
66 1
        if (is_object($object)) {
67 1
            if (!empty($properties)) {
68 1
                $className = get_class($object);
69 1
                if (!empty($properties[$className])) {
70 1
                    $result = [];
71 1
                    foreach ($properties[$className] as $key => $name) {
72 1
                        if (is_int($key)) {
73 1
                            $result[$name] = $object->$name;
74
                        } else {
75 1
                            $result[$key] = static::getValue($object, $name);
76
                        }
77
                    }
78
79 1
                    return $recursive ? static::toArray($result, $properties) : $result;
80
                }
81
            }
82 1
            if ($object instanceof ArrayableInterface) {
83 1
                $result = $object->toArray([], [], $recursive);
84
            } else {
85 1
                $result = [];
86 1
                foreach ($object as $key => $value) {
87 1
                    $result[$key] = $value;
88
                }
89
            }
90
91 1
            return $recursive ? static::toArray($result, $properties) : $result;
92
        }
93
94 1
        return [$object];
95
    }
96
97
    /**
98
     * Merges two or more arrays into one recursively.
99
     * If each array has an element with the same string key value, the latter
100
     * will overwrite the former (different from array_merge_recursive).
101
     * Recursive merging will be conducted if both arrays have an element of array
102
     * type and are having the same key.
103
     * For integer-keyed elements, the elements from the latter array will
104
     * be appended to the former array.
105
     * You can use modifiers to change merging result.
106
     * @param array $args arrays to be merged
107
     * @return array the merged array (the original arrays are not changed.)
108
     */
109 11
    public static function merge(...$args): array
110
    {
111 11
        $lastArray = end($args);
112 11
        if (isset($lastArray[ReverseBlockMerge::class]) && $lastArray[ReverseBlockMerge::class] instanceof ReverseBlockMerge) {
113 2
            reset($args);
114 2
            return self::applyModifiers(self::performReverseBlockMerge(...$args));
115
        }
116
117 9
        return self::applyModifiers(self::performMerge(...$args));
118
    }
119
120 9
    private static function performMerge(...$args): array
121
    {
122 9
        $res = array_shift($args) ?: [];
123 9
        while (!empty($args)) {
124 8
            foreach (array_shift($args) as $k => $v) {
125 8
                if (is_int($k)) {
126 5
                    if (array_key_exists($k, $res) && $res[$k] !== $v) {
127 3
                        $res[] = $v;
128
                    } else {
129 5
                        $res[$k] = $v;
130
                    }
131 6
                } elseif (is_array($v) && isset($res[$k]) && is_array($res[$k])) {
132 3
                    $res[$k] = self::performMerge($res[$k], $v);
133
                } else {
134 6
                    $res[$k] = $v;
135
                }
136
            }
137
        }
138
139 9
        return $res;
140
    }
141
142 2
    private static function performReverseBlockMerge(...$args): array
143
    {
144 2
        $res = array_pop($args) ?: [];
145 2
        while (!empty($args)) {
146 2
            foreach (array_pop($args) as $k => $v) {
147 2
                if (is_int($k)) {
148 1
                    if (array_key_exists($k, $res) && $res[$k] !== $v) {
149 1
                        $res[] = $v;
150
                    } else {
151 1
                        $res[$k] = $v;
152
                    }
153 1
                } elseif (is_array($v) && isset($res[$k]) && is_array($res[$k])) {
154 1
                    $res[$k] = self::performReverseBlockMerge($v, $res[$k]);
155 1
                } elseif (!isset($res[$k])) {
156 1
                    $res[$k] = $v;
157
                }
158
            }
159
        }
160
161 2
        return $res;
162
    }
163
164 11
    public static function applyModifiers(array $data): array
165
    {
166 11
        $modifiers = [];
167 11
        foreach ($data as $k => $v) {
168 10
            if ($v instanceof ModifierInterface) {
169 7
                $modifiers[$k] = $v;
170 7
                unset($data[$k]);
171 10
            } elseif (is_array($v)) {
172 7
                $data[$k] = self::applyModifiers($v);
173
            }
174
        }
175 11
        ksort($modifiers);
176 11
        foreach ($modifiers as $key => $modifier) {
177 7
            $data = $modifier->apply($data, $key);
178
        }
179 11
        return $data;
180
    }
181
182
    /**
183
     * Retrieves the value of an array element or object property with the given key or property name.
184
     * If the key does not exist in the array or object, the default value will be returned instead.
185
     *
186
     * Below are some usage examples,
187
     *
188
     * ```php
189
     * // working with array
190
     * $username = \Yiisoft\Arrays\ArrayHelper::getValue($_POST, 'username');
191
     * // working with object
192
     * $username = \Yiisoft\Arrays\ArrayHelper::getValue($user, 'username');
193
     * // working with anonymous function
194
     * $fullName = \Yiisoft\Arrays\ArrayHelper::getValue($user, function ($user, $defaultValue) {
195
     *     return $user->firstName . ' ' . $user->lastName;
196
     * });
197
     * // using dot format to retrieve the property of embedded object
198
     * $street = \Yiisoft\Arrays\ArrayHelper::getValue($users, 'address.street');
199
     * // using an array of keys to retrieve the value
200
     * $value = \Yiisoft\Arrays\ArrayHelper::getValue($versions, ['1.0', 'date']);
201
     * ```
202
     *
203
     * @param array|object $array array or object to extract value from
204
     * @param string|\Closure|array $key key name of the array element, an array of keys or property name of the object,
205
     * or an anonymous function returning the value. The anonymous function signature should be:
206
     * `function($array, $defaultValue)`.
207
     * @param mixed $default the default value to be returned if the specified array key does not exist. Not used when
208
     * getting value from an object.
209
     * @return mixed the value of the element if found, default value otherwise
210
     */
211
    public static function getValue($array, $key, $default = null)
212
    {
213
        if ($key instanceof \Closure) {
214
            return $key($array, $default);
215
        }
216
217
        if (!is_array($array) && !is_object($array)) {
218
            throw new \InvalidArgumentException(
219 49
                'getValue() can not get value from ' . gettype($array) . '. Only array and object are supported.'
220
            );
221 49
        }
222 7
223
        if (is_array($key)) {
224
            $lastKey = array_pop($key);
225 47
            foreach ($key as $keyPart) {
226 1
                $array = static::getRootValue($array, $keyPart, $default);
227 1
            }
228
            return static::getRootValue($array, $lastKey, $default);
229
        }
230
231 46
        return static::getRootValue($array, $key, $default);
232 6
    }
233 6
234 6
    /**
235
     * @param array|object $array array or object to extract value from
236 6
     * @param string|int $key key name of the array element or property name of the object,
237
     * @param mixed $default the default value to be returned if the specified array key does not exist. Not used when
238
     * getting value from an object.
239 40
     * @return mixed the value of the element if found, default value otherwise
240 24
     */
241
    private static function getRootValue($array, $key, $default)
242
    {
243 28
        if (is_array($array) && array_key_exists((string)$key, $array)) {
244 18
            return $array[$key];
245 18
        }
246 6
247
        if (is_object($array)) {
248
            try {
249 16
                return $array::$$key;
250 16
            } catch (Throwable $e) {
0 ignored issues
show
Unused Code introduced by
catch (\Throwable $e) is not reachable.

This check looks for unreachable code. It uses sophisticated control flow analysis techniques to find statements which will never be executed.

Unreachable code is most often the result of return, die or exit statements that have been added for debug purposes.

function fx() {
    try {
        doSomething();
        return true;
    }
    catch (\Exception $e) {
        return false;
    }

    return false;
}

In the above example, the last return false will never be executed, because a return statement has already been met in every possible execution path.

Loading history...
251
                // this is expected to fail if the property does not exist, or __get() is not implemented
252 1
                // it is not reliably possible to check whether a property is accessible beforehand
253
                return $array->$key;
254
            }
255
        }
256 11
257
        return $default;
258
    }
259 16
260
    /**
261
     * Retrieves the value of an array element or object property with the given key or property name.
262
     * If the key does not exist in the array or object, the default value will be returned instead.
263
     *
264
     * The key may be specified in a dot format to retrieve the value of a sub-array or the property
265
     * of an embedded object. In particular, if the key is `x.y.z`, then the returned value would
266
     * be `$array['x']['y']['z']` or `$array->x->y->z` (if `$array` is an object). If `$array['x']`
267
     * or `$array->x` is neither an array nor an object, the default value will be returned.
268
     * Note that if the array already has an element `x.y.z`, then its value will be returned
269 22
     * instead of going through the sub-arrays. So it is better to be done specifying an array of key names
270
     * like `['x', 'y', 'z']`.
271 22
     *
272 6
     * Below are some usage examples,
273
     *
274
     * ```php
275 19
     * // working with array
276
     * $username = \Yiisoft\Arrays\ArrayHelper::getValue($_POST, 'username');
277 14
     * // working with object
278 14
     * $username = \Yiisoft\Arrays\ArrayHelper::getValue($user, 'username');
279
     * // working with anonymous function
280
     * $fullName = \Yiisoft\Arrays\ArrayHelper::getValue($user, function ($user, $defaultValue) {
281 14
     *     return $user->firstName . ' ' . $user->lastName;
282
     * });
283
     * // using dot format to retrieve the property of embedded object
284
     * $street = \Yiisoft\Arrays\ArrayHelper::getValue($users, 'address.street');
285 5
     * // using an array of keys to retrieve the value
286
     * $value = \Yiisoft\Arrays\ArrayHelper::getValue($versions, ['1.0', 'date']);
287
     * ```
288
     *
289
     * @param array|object $array array or object to extract value from
290
     * @param string|\Closure|array $path key name of the array element, an array of keys or property name
291
     * of the object, or an anonymous function returning the value. The anonymous function signature should be:
292
     * `function($array, $defaultValue)`.
293
     * @param mixed $default the default value to be returned if the specified array key does not exist. Not used when
294
     * getting value from an object.
295
     * @param string $pathDelimiter
296
     * @return mixed the value of the element if found, default value otherwise
297
     */
298
    public static function getValueByPath($array, $path, $default = null, string $pathDelimiter = '.')
299
    {
300
        return static::getValue($array, static::parsePath($path, $pathDelimiter), $default);
301
    }
302
303
    /**
304
     * Writes a value into an associative array at the key path specified.
305
     * If there is no such key path yet, it will be created recursively.
306
     * If the key exists, it will be overwritten.
307
     *
308
     * ```php
309
     *  $array = [
310
     *      'key' => [
311
     *          'in' => [
312
     *              'val1',
313
     *              'key' => 'val'
314
     *          ]
315
     *      ]
316
     *  ];
317
     * ```
318
     *
319
     * The result of `ArrayHelper::setValue($array, ['key', 'in'], ['arr' => 'val']);`
320
     * will be the following:
321
     *
322
     * ```php
323
     *  [
324
     *      'key' => [
325
     *          'in' => [
326
     *              'arr' => 'val'
327
     *          ]
328
     *      ]
329
     *  ]
330
     * ```
331
     *
332
     * @param array $array the array to write the value to
333
     * @param string|array|null $key the path of where do you want to write a value to `$array`
334
     * the path can be described by an array of keys
335
     * if the path is null then `$array` will be assigned the `$value`
336
     * @param mixed $value the value to be written
337
     */
338
    public static function setValue(array &$array, $key, $value): void
339
    {
340 16
        if ($key === null) {
341
            $array = $value;
342 16
            return;
343 1
        }
344 1
345
        $keys = is_array($key) ? $key : [$key];
346
347 15
        while (count($keys) > 1) {
348
            $k = array_shift($keys);
349 15
            if (!isset($array[$k])) {
350 12
                $array[$k] = [];
351 12
            }
352 5
            if (!is_array($array[$k])) {
353
                $array[$k] = [$array[$k]];
354 12
            }
355 2
            $array = &$array[$k];
356
        }
357 12
358
        $array[array_shift($keys)] = $value;
359
    }
360 15
361 15
    /**
362
     * Writes a value into an associative array at the key path specified.
363
     * If there is no such key path yet, it will be created recursively.
364
     * If the key exists, it will be overwritten.
365
     *
366
     * ```php
367
     *  $array = [
368
     *      'key' => [
369
     *          'in' => [
370
     *              'val1',
371
     *              'key' => 'val'
372
     *          ]
373
     *      ]
374
     *  ];
375
     * ```
376
     *
377
     * The result of `ArrayHelper::setValue($array, 'key.in.0', ['arr' => 'val']);` will be the following:
378
     *
379
     * ```php
380
     *  [
381
     *      'key' => [
382 1
     *          'in' => [
383
     *              ['arr' => 'val'],
384 1
     *              'key' => 'val'
385 1
     *          ]
386 1
     *      ]
387
     *  ]
388 1
     *
389
     * ```
390
     *
391 1
     * The result of
392
     * `ArrayHelper::setValue($array, 'key.in', ['arr' => 'val']);` or
393
     * `ArrayHelper::setValue($array, ['key', 'in'], ['arr' => 'val']);`
394
     * will be the following:
395
     *
396
     * ```php
397
     *  [
398
     *      'key' => [
399
     *          'in' => [
400
     *              'arr' => 'val'
401
     *          ]
402
     *      ]
403
     *  ]
404
     * ```
405
     *
406
     * @param array $array the array to write the value to
407
     * @param string|array|null $path the path of where do you want to write a value to `$array`
408
     * the path can be described by a string when each key should be separated by a dot
409
     * you can also describe the path as an array of keys
410
     * if the path is null then `$array` will be assigned the `$value`
411 2
     * @param mixed $value the value to be written
412
     * @param string $pathDelimiter
413 2
     */
414 2
    public static function setValueByPath(array &$array, $path, $value, string $pathDelimiter = '.'): void
415 2
    {
416 1
        static::setValue($array, static::parsePath($path, $pathDelimiter), $value);
417 1
    }
418
419
    /**
420
     * @param mixed $path
421 2
     * @param string $pathDelimiter
422
     * @return mixed
423
     */
424
    private static function parsePath($path, string $pathDelimiter)
425
    {
426
        if (is_string($path)) {
427
            return explode($pathDelimiter, $path);
428
        }
429
        if (is_array($path)) {
430
            $newPath = [];
431
            foreach ($path as $key) {
432
                if (is_string($key) || is_array($key)) {
433
                    $newPath = array_merge($newPath, static::parsePath($key, $pathDelimiter));
434
                } else {
435
                    $newPath[] = $key;
436
                }
437
            }
438
            return $newPath;
439
        }
440
        return $path;
441
    }
442
443
    /**
444
     * Removes an item from an array and returns the value. If the key does not exist in the array, the default value
445
     * will be returned instead.
446
     *
447
     * Usage examples,
448
     *
449
     * ```php
450
     * // $array = ['type' => 'A', 'options' => [1, 2]];
451
     * // working with array
452
     * $type = \Yiisoft\Arrays\ArrayHelper::remove($array, 'type');
453
     * // $array content
454
     * // $array = ['options' => [1, 2]];
455
     * ```
456
     *
457
     * @param array $array the array to extract value from
458
     * @param string $key key name of the array element
459
     * @param mixed $default the default value to be returned if the specified key does not exist
460
     * @return mixed the value of the element if found, default value otherwise
461
     */
462
    public static function remove(array &$array, string $key, $default = null)
463
    {
464
        if (array_key_exists($key, $array)) {
465
            $value = $array[$key];
466
            unset($array[$key]);
467
468
            return $value;
469
        }
470
471
        return $default;
472
    }
473
474
    /**
475
     * Removes items with matching values from the array and returns the removed items.
476
     *
477
     * Example,
478
     *
479
     * ```php
480
     * $array = ['Bob' => 'Dylan', 'Michael' => 'Jackson', 'Mick' => 'Jagger', 'Janet' => 'Jackson'];
481
     * $removed = \Yiisoft\Arrays\ArrayHelper::removeValue($array, 'Jackson');
482
     * // result:
483
     * // $array = ['Bob' => 'Dylan', 'Mick' => 'Jagger'];
484
     * // $removed = ['Michael' => 'Jackson', 'Janet' => 'Jackson'];
485
     * ```
486
     *
487
     * @param array $array the array where to look the value from
488
     * @param mixed $value the value to remove from the array
489
     * @return array the items that were removed from the array
490
     */
491
    public static function removeValue(array &$array, $value): array
492
    {
493
        $result = [];
494
        foreach ($array as $key => $val) {
495
            if ($val === $value) {
496
                $result[$key] = $val;
497
                unset($array[$key]);
498
            }
499
        }
500
501
        return $result;
502
    }
503
504
    /**
505
     * Indexes and/or groups the array according to a specified key.
506
     * The input should be either multidimensional array or an array of objects.
507
     *
508
     * The $key can be either a key name of the sub-array, a property name of object, or an anonymous
509
     * function that must return the value that will be used as a key.
510
     *
511
     * $groups is an array of keys, that will be used to group the input array into one or more sub-arrays based
512
     * on keys specified.
513
     *
514
     * If the `$key` is specified as `null` or a value of an element corresponding to the key is `null` in addition
515
     * to `$groups` not specified then the element is discarded.
516
     *
517
     * For example:
518
     *
519
     * ```php
520
     * $array = [
521
     *     ['id' => '123', 'data' => 'abc', 'device' => 'laptop'],
522
     *     ['id' => '345', 'data' => 'def', 'device' => 'tablet'],
523
     *     ['id' => '345', 'data' => 'hgi', 'device' => 'smartphone'],
524 3
     * ];
525
     * $result = ArrayHelper::index($array, 'id');
526 3
     * ```
527 3
     *
528
     * The result will be an associative array, where the key is the value of `id` attribute
529 3
     *
530 3
     * ```php
531
     * [
532 3
     *     '123' => ['id' => '123', 'data' => 'abc', 'device' => 'laptop'],
533 1
     *     '345' => ['id' => '345', 'data' => 'hgi', 'device' => 'smartphone']
534 1
     *     // The second element of an original array is overwritten by the last element because of the same id
535 1
     * ]
536
     * ```
537 1
     *
538
     * An anonymous function can be used in the grouping array as well.
539
     *
540 3
     * ```php
541 2
     * $result = ArrayHelper::index($array, function ($element) {
542 2
     *     return $element['id'];
543
     * });
544
     * ```
545 3
     *
546 3
     * Passing `id` as a third argument will group `$array` by `id`:
547 3
     *
548 1
     * ```php
549
     * $result = ArrayHelper::index($array, null, 'id');
550 3
     * ```
551
     *
552
     * The result will be a multidimensional array grouped by `id` on the first level, by `device` on the second level
553 3
     * and indexed by `data` on the third level:
554
     *
555
     * ```php
556 3
     * [
557
     *     '123' => [
558
     *         ['id' => '123', 'data' => 'abc', 'device' => 'laptop']
559
     *     ],
560
     *     '345' => [ // all elements with this index are present in the result array
561
     *         ['id' => '345', 'data' => 'def', 'device' => 'tablet'],
562
     *         ['id' => '345', 'data' => 'hgi', 'device' => 'smartphone'],
563
     *     ]
564
     * ]
565
     * ```
566
     *
567
     * The anonymous function can be used in the array of grouping keys as well:
568
     *
569
     * ```php
570
     * $result = ArrayHelper::index($array, 'data', [function ($element) {
571
     *     return $element['id'];
572
     * }, 'device']);
573
     * ```
574
     *
575
     * The result will be a multidimensional array grouped by `id` on the first level, by the `device` on the second one
576
     * and indexed by the `data` on the third level:
577
     *
578
     * ```php
579
     * [
580
     *     '123' => [
581
     *         'laptop' => [
582
     *             'abc' => ['id' => '123', 'data' => 'abc', 'device' => 'laptop']
583
     *         ]
584
     *     ],
585 5
     *     '345' => [
586
     *         'tablet' => [
587 5
     *             'def' => ['id' => '345', 'data' => 'def', 'device' => 'tablet']
588 5
     *         ],
589 5
     *         'smartphone' => [
590 5
     *             'hgi' => ['id' => '345', 'data' => 'hgi', 'device' => 'smartphone']
591
     *         ]
592
     *     ]
593 1
     * ]
594 1
     * ```
595
     *
596
     * @param array $array the array that needs to be indexed or grouped
597
     * @param string|\Closure|null $key the column name or anonymous function which result will be used to index the array
598 5
     * @param string|string[]|\Closure[]|null $groups the array of keys, that will be used to group the input array
599
     * by one or more keys. If the $key attribute or its value for the particular element is null and $groups is not
600
     * defined, the array element will be discarded. Otherwise, if $groups is specified, array element will be added
601
     * to the result array without any key.
602
     * @return array the indexed and/or grouped array
603
     */
604
    public static function index(array $array, $key, $groups = []): array
605
    {
606
        $result = [];
607
        $groups = (array)$groups;
608
609
        foreach ($array as $element) {
610
            $lastArray = &$result;
611
612
            foreach ($groups as $group) {
613
                $value = static::getValue($element, $group);
614
                if (!array_key_exists($value, $lastArray)) {
615
                    $lastArray[$value] = [];
616
                }
617
                $lastArray = &$lastArray[$value];
618
            }
619
620
            if ($key === null) {
621
                if (!empty($groups)) {
622
                    $lastArray[] = $element;
623
                }
624
            } else {
625
                $value = static::getValue($element, $key);
626
                if ($value !== null) {
627
                    if (is_float($value)) {
628
                        $value = str_replace(',', '.', (string)$value);
629
                    }
630
                    $lastArray[$value] = $element;
631
                }
632
            }
633
            unset($lastArray);
634
        }
635
636
        return $result;
637
    }
638
639
    /**
640
     * Returns the values of a specified column in an array.
641
     * The input array should be multidimensional or an array of objects.
642 1
     *
643
     * For example,
644 1
     *
645 1
     * ```php
646
     * $array = [
647
     *     ['id' => '123', 'data' => 'abc'],
648 1
     *     ['id' => '345', 'data' => 'def'],
649 1
     * ];
650 1
     * $result = ArrayHelper::getColumn($array, 'id');
651 1
     * // the result is: ['123', '345']
652
     *
653
     * // using anonymous function
654 1
     * $result = ArrayHelper::getColumn($array, function ($element) {
655
     *     return $element['id'];
656
     * });
657
     * ```
658
     *
659
     * @param array $array
660
     * @param string|\Closure $name
661
     * @param bool $keepKeys whether to maintain the array keys. If false, the resulting array
662
     * will be re-indexed with integers.
663
     * @return array the list of column values
664
     */
665
    public static function getColumn(array $array, $name, bool $keepKeys = true): array
666 1
    {
667
        $result = [];
668 1
        if ($keepKeys) {
669 1
            foreach ($array as $k => $element) {
670
                $result[$k] = static::getValue($element, $name);
671
            }
672 1
        } else {
673 1
            foreach ($array as $element) {
674 1
                $result[] = static::getValue($element, $name);
675
            }
676
        }
677
678 1
        return $result;
679
    }
680
681
    /**
682
     * Builds a map (key-value pairs) from a multidimensional array or an array of objects.
683
     * The `$from` and `$to` parameters specify the key names or property names to set up the map.
684
     * Optionally, one can further group the map according to a grouping field `$group`.
685
     *
686
     * For example,
687
     *
688
     * ```php
689
     * $array = [
690
     *     ['id' => '123', 'name' => 'aaa', 'class' => 'x'],
691
     *     ['id' => '124', 'name' => 'bbb', 'class' => 'x'],
692
     *     ['id' => '345', 'name' => 'ccc', 'class' => 'y'],
693 1
     * ];
694
     *
695 1
     * $result = ArrayHelper::map($array, 'id', 'name');
696 1
     * // the result is:
697 1
     * // [
698 1
     * //     '123' => 'aaa',
699
     * //     '124' => 'bbb',
700 1
     * //     '345' => 'ccc',
701 1
     * // ]
702 1
     *
703 1
     * $result = ArrayHelper::map($array, 'id', 'name', 'class');
704
     * // the result is:
705 1
     * // [
706
     * //     'x' => [
707
     * //         '123' => 'aaa',
708
     * //         '124' => 'bbb',
709 1
     * //     ],
710
     * //     'y' => [
711
     * //         '345' => 'ccc',
712
     * //     ],
713
     * // ]
714
     * ```
715
     *
716
     * @param array $array
717
     * @param string|\Closure $from
718
     * @param string|\Closure $to
719
     * @param string|\Closure $group
720
     * @return array
721
     */
722
    public static function map(array $array, $from, $to, $group = null): array
723 1
    {
724
        if ($group === null) {
725 1
            return array_column($array, $to, $from);
726 1
        }
727 1
728 1
        $result = [];
729
        foreach ($array as $element) {
730 1
            $key = static::getValue($element, $from);
731 1
            $result[static::getValue($element, $group)][$key] = static::getValue($element, $to);
732 1
        }
733 1
734
        return $result;
735 1
    }
736
737
    /**
738
     * Checks if the given array contains the specified key.
739 1
     * This method enhances the `array_key_exists()` function by supporting case-insensitive
740
     * key comparison.
741
     * @param array $array the array with keys to check
742
     * @param string $key the key to check
743
     * @param bool $caseSensitive whether the key comparison should be case-sensitive
744
     * @return bool whether the array contains the specified key
745
     */
746
    public static function keyExists(array $array, string $key, bool $caseSensitive = true): bool
747
    {
748
        if ($caseSensitive) {
749
            return array_key_exists($key, $array);
750
        }
751
752
        foreach (array_keys($array) as $k) {
753
            if (strcasecmp($key, $k) === 0) {
754
                return true;
755 1
            }
756
        }
757 1
758 1
        return false;
759
    }
760
761 1
    /**
762 1
     * Encodes special characters in an array of strings into HTML entities.
763 1
     * Only array values will be encoded by default.
764 1
     * If a value is an array, this method will also encode it recursively.
765
     * Only string values will be encoded.
766
     * @param array $data data to be encoded
767
     * @param bool $valuesOnly whether to encode array values only. If false,
768 1
     * both the array keys and array values will be encoded.
769
     * @param string|null $encoding The encoding to use, defaults to `ini_get('default_charset')`.
770
     * @return array the encoded data
771 1
     * @see http://www.php.net/manual/en/function.htmlspecialchars.php
772 1
     */
773 1
    public static function htmlEncode(array $data, bool $valuesOnly = true, string $encoding = null): array
774
    {
775
        $d = [];
776
        foreach ($data as $key => $value) {
777 1
            if (!$valuesOnly && is_string($key)) {
778
                $key = htmlspecialchars($key, ENT_QUOTES | ENT_SUBSTITUTE, $encoding, true);
779
            }
780
            if (is_string($value)) {
781
                $d[$key] = htmlspecialchars($value, ENT_QUOTES | ENT_SUBSTITUTE, $encoding, true);
782
            } elseif (is_array($value)) {
783
                $d[$key] = static::htmlEncode($value, $valuesOnly, $encoding);
784
            } else {
785
                $d[$key] = $value;
786
            }
787
        }
788
789
        return $d;
790
    }
791
792
    /**
793 1
     * Decodes HTML entities into the corresponding characters in an array of strings.
794
     * Only array values will be decoded by default.
795 1
     * If a value is an array, this method will also decode it recursively.
796 1
     * Only string values will be decoded.
797
     * @param array $data data to be decoded
798
     * @param bool $valuesOnly whether to decode array values only. If false,
799 1
     * both the array keys and array values will be decoded.
800 1
     * @return array the decoded data
801
     * @see http://www.php.net/manual/en/function.htmlspecialchars-decode.php
802
     */
803 1
    public static function htmlDecode(array $data, bool $valuesOnly = true): array
804 1
    {
805 1
        $d = [];
806
        foreach ($data as $key => $value) {
807
            if (!$valuesOnly && is_string($key)) {
808
                $key = htmlspecialchars_decode($key, ENT_QUOTES);
809 1
            }
810
            if (is_string($value)) {
811
                $d[$key] = htmlspecialchars_decode($value, ENT_QUOTES);
812
            } elseif (is_array($value)) {
813
                $d[$key] = static::htmlDecode($value);
814
            } else {
815
                $d[$key] = $value;
816
            }
817
        }
818
819
        return $d;
820
    }
821
822
    /**
823
     * Returns a value indicating whether the given array is an associative array.
824 3
     *
825
     * An array is associative if all its keys are strings. If `$allStrings` is false,
826 3
     * then an array will be treated as associative if at least one of its keys is a string.
827 3
     *
828
     * Note that an empty array will NOT be considered associative.
829
     *
830 3
     * @param array $array the array being checked
831 3
     * @param bool $allStrings whether the array keys must be all strings in order for
832 3
     * the array to be treated as associative.
833
     * @return bool whether the array is associative
834
     */
835
    public static function isAssociative(array $array, bool $allStrings = true): bool
836 3
    {
837
        if ($array === []) {
838
            return false;
839
        }
840
841
        if ($allStrings) {
842
            foreach ($array as $key => $value) {
843
                if (!is_string($key)) {
844
                    return false;
845
                }
846
            }
847
848 1
            return true;
849
        }
850 1
851
        foreach ($array as $key => $value) {
852
            if (is_string($key)) {
853
                return true;
854
            }
855
        }
856
857
        return false;
858
    }
859
860
    /**
861
     * Returns a value indicating whether the given array is an indexed array.
862
     *
863
     * An array is indexed if all its keys are integers. If `$consecutive` is true,
864 1
     * then the array keys must be a consecutive sequence starting from 0.
865
     *
866 1
     * Note that an empty array will be considered indexed.
867 1
     *
868 1
     * @param array $array the array being checked
869
     * @param bool $consecutive whether the array keys must be a consecutive sequence
870
     * in order for the array to be treated as indexed.
871
     * @return bool whether the array is indexed
872 1
     */
873
    public static function isIndexed(array $array, bool $consecutive = false): bool
874
    {
875
        if ($array === []) {
876
            return true;
877
        }
878
879
        if ($consecutive) {
880
            return array_keys($array) === range(0, count($array) - 1);
881
        }
882
883
        foreach ($array as $key => $value) {
884
            if (!is_int($key)) {
885
                return false;
886
            }
887
        }
888
889
        return true;
890
    }
891
892
    /**
893
     * Check whether an array or [[\Traversable]] contains an element.
894
     *
895
     * This method does the same as the PHP function [in_array()](http://php.net/manual/en/function.in-array.php)
896
     * but additionally works for objects that implement the [[\Traversable]] interface.
897
     * @param mixed $needle The value to look for.
898
     * @param iterable $haystack The set of values to search.
899
     * @param bool $strict Whether to enable strict (`===`) comparison.
900
     * @return bool `true` if `$needle` was found in `$haystack`, `false` otherwise.
901
     * @throws InvalidArgumentException if `$haystack` is neither traversable nor an array.
902
     * @see http://php.net/manual/en/function.in-array.php
903
     */
904
    public static function isIn($needle, iterable $haystack, bool $strict = false): bool
905
    {
906
        if (is_array($haystack)) {
907
            return in_array($needle, $haystack, $strict);
908
        }
909
910
        foreach ($haystack as $value) {
911
            if ($needle == $value && (!$strict || $needle === $value)) {
912
                return true;
913
            }
914
        }
915
916
        return false;
917
    }
918 3
919
    /**
920 3
     * Checks whether a variable is an array or [[\Traversable]].
921 3
     *
922
     * This method does the same as the PHP function [is_array()](http://php.net/manual/en/function.is-array.php)
923 3
     * but additionally works on objects that implement the [[\Traversable]] interface.
924 3
     * @param mixed $var The variable being evaluated.
925 1
     * @return bool whether $var is array-like
926 1
     * @see http://php.net/manual/en/function.is-array.php
927
     */
928
    public static function isTraversable($var): bool
929 3
    {
930 3
        return is_iterable($var);
931 3
    }
932 3
933 1
    /**
934
     * Checks whether an array or [[\Traversable]] is a subset of another array or [[\Traversable]].
935 3
     *
936
     * This method will return `true`, if all elements of `$needles` are contained in
937
     * `$haystack`. If at least one element is missing, `false` will be returned.
938
     * @param iterable $needles The values that must **all** be in `$haystack`.
939 2
     * @param iterable $haystack The set of value to search.
940 2
     * @param bool $strict Whether to enable strict (`===`) comparison.
941 2
     * @return bool `true` if `$needles` is a subset of `$haystack`, `false` otherwise.
942 2
     * @throws InvalidArgumentException if `$haystack` or `$needles` is neither traversable nor an array.
943
     */
944 2
    public static function isSubset(iterable $needles, iterable $haystack, bool $strict = false): bool
945
    {
946 2
        foreach ($needles as $needle) {
947
            if (!static::isIn($needle, $haystack, $strict)) {
948
                return false;
949 3
            }
950 1
        }
951 1
952 1
        return true;
953 1
    }
954 1
955 1
    /**
956
     * Filters array according to rules specified.
957
     *
958 1
     * For example:
959 1
     *
960
     * ```php
961 1
     * $array = [
962 1
     *     'A' => [1, 2],
963
     *     'B' => [
964
     *         'C' => 1,
965
     *         'D' => 2,
966
     *     ],
967 3
     *     'E' => 1,
968
     * ];
969
     *
970
     * $result = \Yiisoft\Arrays\ArrayHelper::filter($array, ['A']);
971
     * // $result will be:
972
     * // [
973
     * //     'A' => [1, 2],
974
     * // ]
975
     *
976
     * $result = \Yiisoft\Arrays\ArrayHelper::filter($array, ['A', 'B.C']);
977
     * // $result will be:
978 4
     * // [
979
     * //     'A' => [1, 2],
980 4
     * //     'B' => ['C' => 1],
981
     * // ]
982
     *
983
     * $result = \Yiisoft\Arrays\ArrayHelper::filter($array, ['B', '!B.C']);
984
     * // $result will be:
985
     * // [
986
     * //     'B' => ['D' => 2],
987
     * // ]
988
     * ```
989
     *
990
     * @param array $array Source array
991
     * @param array $filters Rules that define array keys which should be left or removed from results.
992
     * Each rule is:
993
     * - `var` - `$array['var']` will be left in result.
994
     * - `var.key` = only `$array['var']['key'] will be left in result.
995
     * - `!var.key` = `$array['var']['key'] will be removed from result.
996
     * @return array Filtered array
997
     */
998
    public static function filter(array $array, array $filters): array
999
    {
1000
        $result = [];
1001
        $excludeFilters = [];
1002
1003
        foreach ($filters as $filter) {
1004
            if ($filter[0] === '!') {
1005
                $excludeFilters[] = substr($filter, 1);
1006
                continue;
1007
            }
1008
1009
            $nodeValue = $array; //set $array as root node
1010
            $keys = explode('.', $filter);
1011
            foreach ($keys as $key) {
1012
                if (!array_key_exists($key, $nodeValue)) {
1013
                    continue 2; //Jump to next filter
1014
                }
1015
                $nodeValue = $nodeValue[$key];
1016
            }
1017
1018
            //We've found a value now let's insert it
1019
            $resultNode = &$result;
1020
            foreach ($keys as $key) {
1021
                if (!array_key_exists($key, $resultNode)) {
1022
                    $resultNode[$key] = [];
1023
                }
1024
                $resultNode = &$resultNode[$key];
1025
            }
1026
            $resultNode = $nodeValue;
1027
        }
1028
1029
        foreach ($excludeFilters as $filter) {
1030
            $excludeNode = &$result;
1031
            $keys = explode('.', $filter);
1032
            $numNestedKeys = count($keys) - 1;
1033
            foreach ($keys as $i => $key) {
1034
                if (!array_key_exists($key, $excludeNode)) {
1035
                    continue 2; //Jump to next filter
1036
                }
1037
1038
                if ($i < $numNestedKeys) {
1039
                    $excludeNode = &$excludeNode[$key];
1040
                } else {
1041
                    unset($excludeNode[$key]);
1042
                    break;
1043
                }
1044
            }
1045
        }
1046
1047
        return $result;
1048
    }
1049
1050
    /**
1051
     * Returns the public member variables of an object.
1052
     * This method is provided such that we can get the public member variables of an object.
1053
     * It is different from "get_object_vars()" because the latter will return private
1054
     * and protected variables if it is called within the object itself.
1055
     * @param object $object the object to be handled
1056
     * @return array|null the public member variables of the object or null if not object given
1057
     */
1058
    public static function getObjectVars(object $object): ?array
1059
    {
1060
        return get_object_vars($object);
1061
    }
1062
}
1063