Merge pull request #10450 from JMAConsulting/CRM-20667
[civicrm-core.git] / CRM / Utils / Array.php
CommitLineData
6a488035
TO
1<?php
2/*
3 +--------------------------------------------------------------------+
7e9e8871 4 | CiviCRM version 4.7 |
6a488035 5 +--------------------------------------------------------------------+
0f03f337 6 | Copyright CiviCRM LLC (c) 2004-2017 |
6a488035
TO
7 +--------------------------------------------------------------------+
8 | This file is a part of CiviCRM. |
9 | |
10 | CiviCRM is free software; you can copy, modify, and distribute it |
11 | under the terms of the GNU Affero General Public License |
12 | Version 3, 19 November 2007 and the CiviCRM Licensing Exception. |
13 | |
14 | CiviCRM is distributed in the hope that it will be useful, but |
15 | WITHOUT ANY WARRANTY; without even the implied warranty of |
16 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. |
17 | See the GNU Affero General Public License for more details. |
18 | |
19 | You should have received a copy of the GNU Affero General Public |
20 | License and the CiviCRM Licensing Exception along |
21 | with this program; if not, contact CiviCRM LLC |
22 | at info[AT]civicrm[DOT]org. If you have questions about the |
23 | GNU Affero General Public License or the licensing of CiviCRM, |
24 | see the CiviCRM license FAQ at http://civicrm.org/licensing |
25 +--------------------------------------------------------------------+
d25dd0ee 26 */
6a488035
TO
27
28/**
ac302523 29 * Provides a collection of static methods for array manipulation.
6a488035
TO
30 *
31 * @package CRM
0f03f337 32 * @copyright CiviCRM LLC (c) 2004-2017
6a488035
TO
33 */
34class CRM_Utils_Array {
35
36 /**
c9e15d2a
RS
37 * Returns $list[$key] if such element exists, or a default value otherwise.
38 *
39 * If $list is not actually an array at all, then the default value is
40 * returned.
6a488035 41 *
6a488035 42 *
c9e15d2a
RS
43 * @param string $key
44 * Key value to look up in the array.
45 * @param array $list
46 * Array from which to look up a value.
4d63cfde 47 * @param mixed $default
c9e15d2a 48 * (optional) Value to return $list[$key] does not exist.
6a488035 49 *
c9e15d2a
RS
50 * @return mixed
51 * Can return any type, since $list might contain anything.
6a488035 52 */
00be9182 53 public static function value($key, $list, $default = NULL) {
6a488035
TO
54 if (is_array($list)) {
55 return array_key_exists($key, $list) ? $list[$key] : $default;
56 }
57 return $default;
58 }
59
60 /**
c9e15d2a 61 * Recursively searches an array for a key, returning the first value found.
6a488035 62 *
c9e15d2a
RS
63 * If $params[$key] does not exist and $params contains arrays, descend into
64 * each array in a depth-first manner, in array iteration order.
6a488035 65 *
c9e15d2a
RS
66 * @param array $params
67 * The array to be searched.
68 * @param string $key
69 * The key to search for.
70 *
71 * @return mixed
72 * The value of the key, or null if the key is not found.
6a488035 73 */
00be9182 74 public static function retrieveValueRecursive(&$params, $key) {
6a488035
TO
75 if (!is_array($params)) {
76 return NULL;
77 }
78 elseif ($value = CRM_Utils_Array::value($key, $params)) {
79 return $value;
80 }
81 else {
82 foreach ($params as $subParam) {
83 if (is_array($subParam) &&
84 $value = self::retrieveValueRecursive($subParam, $key)
85 ) {
86 return $value;
87 }
88 }
89 }
90 return NULL;
91 }
92
93 /**
c9e15d2a 94 * Wraps and slightly changes the behavior of PHP's array_search().
6a488035 95 *
c9e15d2a
RS
96 * This function reproduces the behavior of array_search() from PHP prior to
97 * version 4.2.0, which was to return NULL on failure. This function also
98 * checks that $list is an array before attempting to search it.
6a488035 99 *
6a488035 100 *
c9e15d2a
RS
101 * @param mixed $value
102 * The value to search for.
103 * @param array $list
104 * The array to be searched.
105 *
106 * @return int|string|null
107 * Returns the key, which could be an int or a string, or NULL on failure.
6a488035 108 */
04f72de8 109 public static function key($value, $list) {
6a488035
TO
110 if (is_array($list)) {
111 $key = array_search($value, $list);
112
113 // array_search returns key if found, false otherwise
114 // it may return values like 0 or empty string which
115 // evaluates to false
116 // hence we must use identical comparison operator
117 return ($key === FALSE) ? NULL : $key;
118 }
119 return NULL;
120 }
121
c9e15d2a
RS
122 /**
123 * Builds an XML fragment representing an array.
124 *
125 * Depending on the nature of the keys of the array (and its sub-arrays,
126 * if any) the XML fragment may not be valid.
127 *
128 * @param array $list
129 * The array to be serialized.
130 * @param int $depth
131 * (optional) Indentation depth counter.
132 * @param string $seperator
133 * (optional) String to be appended after open/close tags.
134 *
c9e15d2a
RS
135 * @return string
136 * XML fragment representing $list.
137 */
00be9182 138 public static function &xml(&$list, $depth = 1, $seperator = "\n") {
6a488035
TO
139 $xml = '';
140 foreach ($list as $name => $value) {
141 $xml .= str_repeat(' ', $depth * 4);
142 if (is_array($value)) {
143 $xml .= "<{$name}>{$seperator}";
144 $xml .= self::xml($value, $depth + 1, $seperator);
145 $xml .= str_repeat(' ', $depth * 4);
146 $xml .= "</{$name}>{$seperator}";
147 }
148 else {
149 // make sure we escape value
150 $value = self::escapeXML($value);
151 $xml .= "<{$name}>$value</{$name}>{$seperator}";
152 }
153 }
154 return $xml;
155 }
156
c9e15d2a
RS
157 /**
158 * Sanitizes a string for serialization in CRM_Utils_Array::xml().
159 *
160 * Replaces '&', '<', and '>' with their XML escape sequences. Replaces '^A'
161 * with a comma.
162 *
163 * @param string $value
164 * String to be sanitized.
165 *
166 * @return string
167 * Sanitized version of $value.
168 */
00be9182 169 public static function escapeXML($value) {
6a488035
TO
170 static $src = NULL;
171 static $dst = NULL;
172
173 if (!$src) {
174 $src = array('&', '<', '>', '\ 1');
175 $dst = array('&amp;', '&lt;', '&gt;', ',');
176 }
177
178 return str_replace($src, $dst, $value);
179 }
180
181 /**
c9e15d2a
RS
182 * Converts a nested array to a flat array.
183 *
184 * The nested structure is preserved in the string values of the keys of the
185 * flat array.
186 *
187 * Example nested array:
188 * Array
189 * (
190 * [foo] => Array
191 * (
192 * [0] => bar
193 * [1] => baz
194 * [2] => 42
195 * )
f4aaa82a 196 *
c9e15d2a
RS
197 * [asdf] => Array
198 * (
199 * [merp] => bleep
200 * [quack] => Array
201 * (
202 * [0] => 1
203 * [1] => 2
204 * [2] => 3
205 * )
f4aaa82a 206 *
c9e15d2a 207 * )
f4aaa82a 208 *
c9e15d2a
RS
209 * [quux] => 999
210 * )
f4aaa82a 211 *
c9e15d2a
RS
212 * Corresponding flattened array:
213 * Array
214 * (
215 * [foo.0] => bar
216 * [foo.1] => baz
217 * [foo.2] => 42
218 * [asdf.merp] => bleep
219 * [asdf.quack.0] => 1
220 * [asdf.quack.1] => 2
221 * [asdf.quack.2] => 3
222 * [quux] => 999
223 * )
224 *
225 * @param array $list
226 * Array to be flattened.
227 * @param array $flat
228 * Destination array.
6a488035 229 * @param string $prefix
c9e15d2a 230 * (optional) String to prepend to keys.
6a488035 231 * @param string $seperator
c9e15d2a 232 * (optional) String that separates the concatenated keys.
6a488035 233 */
00be9182 234 public static function flatten(&$list, &$flat, $prefix = '', $seperator = ".") {
6a488035
TO
235 foreach ($list as $name => $value) {
236 $newPrefix = ($prefix) ? $prefix . $seperator . $name : $name;
237 if (is_array($value)) {
238 self::flatten($value, $flat, $newPrefix, $seperator);
239 }
240 else {
241 if (!empty($value)) {
242 $flat[$newPrefix] = $value;
243 }
244 }
245 }
246 }
247
248 /**
c9e15d2a
RS
249 * Converts an array with path-like keys into a tree of arrays.
250 *
251 * This function is the inverse of CRM_Utils_Array::flatten().
252 *
253 * @param string $delim
254 * A path delimiter
255 * @param array $arr
256 * A one-dimensional array indexed by string keys
6a488035 257 *
c9e15d2a
RS
258 * @return array
259 * Array-encoded tree
6a488035 260 */
00be9182 261 public function unflatten($delim, &$arr) {
6a488035
TO
262 $result = array();
263 foreach ($arr as $key => $value) {
264 $path = explode($delim, $key);
265 $node = &$result;
266 while (count($path) > 1) {
267 $key = array_shift($path);
268 if (!isset($node[$key])) {
269 $node[$key] = array();
270 }
271 $node = &$node[$key];
272 }
273 // last part of path
274 $key = array_shift($path);
275 $node[$key] = $value;
276 }
277 return $result;
278 }
279
280 /**
c9e15d2a
RS
281 * Merges two arrays.
282 *
283 * If $a1[foo] and $a2[foo] both exist and are both arrays, the merge
284 * process recurses into those sub-arrays. If $a1[foo] and $a2[foo] both
285 * exist but they are not both arrays, the value from $a1 overrides the
286 * value from $a2 and the value from $a2 is discarded.
6a488035
TO
287 *
288 * @param array $a1
c9e15d2a 289 * First array to be merged.
6a488035 290 * @param array $a2
c9e15d2a 291 * Second array to be merged.
6a488035 292 *
c9e15d2a
RS
293 * @return array
294 * The merged array.
6a488035 295 */
00be9182 296 public static function crmArrayMerge($a1, $a2) {
6a488035
TO
297 if (empty($a1)) {
298 return $a2;
299 }
300
301 if (empty($a2)) {
302 return $a1;
303 }
304
305 $a3 = array();
306 foreach ($a1 as $key => $value) {
307 if (array_key_exists($key, $a2) &&
308 is_array($a2[$key]) && is_array($a1[$key])
309 ) {
310 $a3[$key] = array_merge($a1[$key], $a2[$key]);
311 }
312 else {
313 $a3[$key] = $a1[$key];
314 }
315 }
316
317 foreach ($a2 as $key => $value) {
318 if (array_key_exists($key, $a1)) {
319 // already handled in above loop
320 continue;
321 }
322 $a3[$key] = $a2[$key];
323 }
324
325 return $a3;
326 }
327
c9e15d2a
RS
328 /**
329 * Determines whether an array contains any sub-arrays.
330 *
331 * @param array $list
332 * The array to inspect.
333 *
334 * @return bool
335 * True if $list contains at least one sub-array, false otherwise.
c9e15d2a 336 */
00be9182 337 public static function isHierarchical(&$list) {
6a488035
TO
338 foreach ($list as $n => $v) {
339 if (is_array($v)) {
340 return TRUE;
341 }
342 }
343 return FALSE;
344 }
345
82376c19 346 /**
54957108 347 * Is array A a subset of array B.
348 *
349 * @param array $subset
350 * @param array $superset
351 *
a6c01b45
CW
352 * @return bool
353 * TRUE if $subset is a subset of $superset
82376c19 354 */
00be9182 355 public static function isSubset($subset, $superset) {
82376c19
TO
356 foreach ($subset as $expected) {
357 if (!in_array($expected, $superset)) {
358 return FALSE;
359 }
360 }
361 return TRUE;
362 }
363
6a488035 364 /**
c9e15d2a 365 * Searches an array recursively in an optionally case-insensitive manner.
6a488035 366 *
c9e15d2a
RS
367 * @param string $value
368 * Value to search for.
369 * @param array $params
370 * Array to search within.
371 * @param bool $caseInsensitive
372 * (optional) Whether to search in a case-insensitive manner.
6a488035 373 *
c9e15d2a
RS
374 * @return bool
375 * True if $value was found, false otherwise.
6a488035 376 */
00be9182 377 public static function crmInArray($value, $params, $caseInsensitive = TRUE) {
6a488035
TO
378 foreach ($params as $item) {
379 if (is_array($item)) {
380 $ret = crmInArray($value, $item, $caseInsensitive);
381 }
382 else {
383 $ret = ($caseInsensitive) ? strtolower($item) == strtolower($value) : $item == $value;
384 if ($ret) {
385 return $ret;
386 }
387 }
388 }
389 return FALSE;
390 }
391
392 /**
54957108 393 * Convert associative array names to values and vice-versa.
6a488035
TO
394 *
395 * This function is used by both the web form layer and the api. Note that
396 * the api needs the name => value conversion, also the view layer typically
397 * requires value => name conversion
54957108 398 *
399 * @param array $defaults
400 * @param string $property
401 * @param $lookup
402 * @param $reverse
403 *
404 * @return bool
6a488035 405 */
00be9182 406 public static function lookupValue(&$defaults, $property, $lookup, $reverse) {
6a488035
TO
407 $id = $property . '_id';
408
409 $src = $reverse ? $property : $id;
410 $dst = $reverse ? $id : $property;
411
412 if (!array_key_exists(strtolower($src), array_change_key_case($defaults, CASE_LOWER))) {
413 return FALSE;
414 }
415
416 $look = $reverse ? array_flip($lookup) : $lookup;
417
50bfb460 418 // trim lookup array, ignore . ( fix for CRM-1514 ), eg for prefix/suffix make sure Dr. and Dr both are valid
6a488035
TO
419 $newLook = array();
420 foreach ($look as $k => $v) {
421 $newLook[trim($k, ".")] = $v;
422 }
423
424 $look = $newLook;
425
426 if (is_array($look)) {
427 if (!array_key_exists(trim(strtolower($defaults[strtolower($src)]), '.'), array_change_key_case($look, CASE_LOWER))) {
428 return FALSE;
429 }
430 }
431
432 $tempLook = array_change_key_case($look, CASE_LOWER);
433
434 $defaults[$dst] = $tempLook[trim(strtolower($defaults[strtolower($src)]), '.')];
435 return TRUE;
436 }
437
438 /**
c9e15d2a
RS
439 * Checks whether an array is empty.
440 *
441 * An array is empty if its values consist only of NULL and empty sub-arrays.
442 * Containing a non-NULL value or non-empty array makes an array non-empty.
443 *
444 * If something other than an array is passed, it is considered to be empty.
445 *
446 * If nothing is passed at all, the default value provided is empty.
447 *
448 * @param array $array
449 * (optional) Array to be checked for emptiness.
6a488035 450 *
d5cc0fc2 451 * @return bool
c9e15d2a 452 * True if the array is empty.
6a488035 453 */
00be9182 454 public static function crmIsEmptyArray($array = array()) {
6a488035
TO
455 if (!is_array($array)) {
456 return TRUE;
457 }
458 foreach ($array as $element) {
459 if (is_array($element)) {
460 if (!self::crmIsEmptyArray($element)) {
461 return FALSE;
462 }
463 }
464 elseif (isset($element)) {
465 return FALSE;
466 }
467 }
468 return TRUE;
469 }
470
6a488035 471 /**
c9e15d2a 472 * Sorts an associative array of arrays by an attribute using strnatcmp().
6a488035 473 *
c9e15d2a
RS
474 * @param array $array
475 * Array to be sorted.
6db70618 476 * @param string|array $field
c9e15d2a 477 * Name of the attribute used for sorting.
6a488035 478 *
f4aaa82a 479 * @return array
c9e15d2a 480 * Sorted array
6a488035 481 */
00be9182 482 public static function crmArraySortByField($array, $field) {
6db70618
TO
483 $fields = (array) $field;
484 uasort($array, function ($a, $b) use ($fields) {
485 foreach ($fields as $f) {
486 $v = strnatcmp($a[$f], $b[$f]);
487 if ($v !== 0) {
488 return $v;
489 }
490 }
491 return 0;
492 });
6a488035
TO
493 return $array;
494 }
495
496 /**
c9e15d2a 497 * Recursively removes duplicate values from a multi-dimensional array.
6a488035 498 *
c9e15d2a
RS
499 * @param array $array
500 * The input array possibly containing duplicate values.
6a488035 501 *
f4aaa82a 502 * @return array
c9e15d2a 503 * The input array with duplicate values removed.
6a488035 504 */
00be9182 505 public static function crmArrayUnique($array) {
6a488035
TO
506 $result = array_map("unserialize", array_unique(array_map("serialize", $array)));
507 foreach ($result as $key => $value) {
508 if (is_array($value)) {
509 $result[$key] = self::crmArrayUnique($value);
510 }
511 }
512 return $result;
513 }
514
515 /**
c9e15d2a
RS
516 * Sorts an array and maintains index association (with localization).
517 *
518 * Uses Collate from the PECL "intl" package, if available, for UTF-8
519 * sorting (e.g. list of countries). Otherwise calls PHP's asort().
6a488035 520 *
c9e15d2a 521 * On Debian/Ubuntu: apt-get install php5-intl
6a488035 522 *
c9e15d2a
RS
523 * @param array $array
524 * (optional) Array to be sorted.
525 *
f4aaa82a 526 * @return array
c9e15d2a 527 * Sorted array.
6a488035 528 */
00be9182 529 public static function asort($array = array()) {
6a488035
TO
530 $lcMessages = CRM_Utils_System::getUFLocale();
531
532 if ($lcMessages && $lcMessages != 'en_US' && class_exists('Collator')) {
533 $collator = new Collator($lcMessages . '.utf8');
534 $collator->asort($array);
535 }
536 else {
c9e15d2a 537 // This calls PHP's built-in asort().
6a488035
TO
538 asort($array);
539 }
540
541 return $array;
542 }
543
544 /**
c9e15d2a
RS
545 * Unsets an arbitrary list of array elements from an associative array.
546 *
547 * @param array $items
548 * The array from which to remove items.
f4aaa82a 549 *
fa0ededf
CW
550 * Additional params:
551 * When passed a string, unsets $items[$key].
552 * When passed an array of strings, unsets $items[$k] for each string $k in the array.
6a488035 553 */
e7292422
TO
554 public static function remove(&$items) {
555 foreach (func_get_args() as $n => $key) {
556 // Skip argument 0 ($items) by testing $n for truth.
557 if ($n && is_array($key)) {
22e263ad 558 foreach ($key as $k) {
e7292422
TO
559 unset($items[$k]);
560 }
561 }
562 elseif ($n) {
563 unset($items[$key]);
564 }
565 }
566 }
6a488035
TO
567
568 /**
c9e15d2a 569 * Builds an array-tree which indexes the records in an array.
6a488035 570 *
c9e15d2a
RS
571 * @param string[] $keys
572 * Properties by which to index.
573 * @param object|array $records
574 *
575 * @return array
576 * Multi-dimensional array, with one layer for each key.
6a488035 577 */
00be9182 578 public static function index($keys, $records) {
6a488035
TO
579 $final_key = array_pop($keys);
580
581 $result = array();
582 foreach ($records as $record) {
583 $node = &$result;
584 foreach ($keys as $key) {
585 if (is_array($record)) {
928c5201 586 $keyvalue = isset($record[$key]) ? $record[$key] : NULL;
0db6c3e1
TO
587 }
588 else {
928c5201 589 $keyvalue = isset($record->{$key}) ? $record->{$key} : NULL;
6a488035 590 }
17d4d611 591 if (isset($node[$keyvalue]) && !is_array($node[$keyvalue])) {
6a488035
TO
592 $node[$keyvalue] = array();
593 }
594 $node = &$node[$keyvalue];
595 }
596 if (is_array($record)) {
e7292422 597 $node[$record[$final_key]] = $record;
0db6c3e1
TO
598 }
599 else {
e7292422 600 $node[$record->{$final_key}] = $record;
6a488035
TO
601 }
602 }
603 return $result;
604 }
605
606 /**
c9e15d2a 607 * Iterates over a list of records and returns the value of some property.
6a488035
TO
608 *
609 * @param string $prop
c9e15d2a
RS
610 * Property to retrieve.
611 * @param array|object $records
612 * A list of records.
613 *
614 * @return array
615 * Keys are the original keys of $records; values are the $prop values.
6a488035 616 */
00be9182 617 public static function collect($prop, $records) {
6a488035 618 $result = array();
4d34fcfa 619 if (is_array($records)) {
620 foreach ($records as $key => $record) {
621 if (is_object($record)) {
622 $result[$key] = $record->{$prop};
0db6c3e1
TO
623 }
624 else {
5836c35a 625 $result[$key] = self::value($prop, $record);
4d34fcfa 626 }
6a488035
TO
627 }
628 }
629 return $result;
630 }
631
2c6fe88a
TO
632 /**
633 * Iterates over a list of objects and executes some method on each.
634 *
635 * Comparison:
636 * - This is like array_map(), except it executes the objects' method
637 * instead of a free-form callable.
638 * - This is like Array::collect(), except it uses a method
639 * instead of a property.
640 *
641 * @param string $method
642 * The method to execute.
643 * @param array|Traversable $objects
644 * A list of objects.
645 * @param array $args
646 * An optional list of arguments to pass to the method.
647 *
648 * @return array
649 * Keys are the original keys of $objects; values are the method results.
650 */
651 public static function collectMethod($method, $objects, $args = array()) {
652 $result = array();
653 if (is_array($objects)) {
654 foreach ($objects as $key => $object) {
655 $result[$key] = call_user_func_array(array($object, $method), $args);
656 }
657 }
658 return $result;
659 }
660
6a488035 661 /**
c9e15d2a 662 * Trims delimiters from a string and then splits it using explode().
6a488035 663 *
c9e15d2a
RS
664 * This method works mostly like PHP's built-in explode(), except that
665 * surrounding delimiters are trimmed before explode() is called.
666 *
667 * Also, if an array or NULL is passed as the $values parameter, the value is
668 * returned unmodified rather than being passed to explode().
669 *
670 * @param array|null|string $values
671 * The input string (or an array, or NULL).
6a488035 672 * @param string $delim
c9e15d2a
RS
673 * (optional) The boundary string.
674 *
675 * @return array|null
676 * An array of strings produced by explode(), or the unmodified input
677 * array, or NULL.
6a488035 678 */
00be9182 679 public static function explodePadded($values, $delim = CRM_Core_DAO::VALUE_SEPARATOR) {
fe18a93c 680 if ($values === NULL) {
6a488035
TO
681 return NULL;
682 }
fe18a93c
CW
683 // If we already have an array, no need to continue
684 if (is_array($values)) {
685 return $values;
686 }
62bcdea6
CW
687 // Empty string -> empty array
688 if ($values === '') {
689 return array();
690 }
fe18a93c 691 return explode($delim, trim((string) $values, $delim));
6a488035
TO
692 }
693
694 /**
c9e15d2a
RS
695 * Joins array elements with a string, adding surrounding delimiters.
696 *
697 * This method works mostly like PHP's built-in implode(), but the generated
698 * string is surrounded by delimiter characters. Also, if NULL is passed as
699 * the $values parameter, NULL is returned.
6a488035 700 *
fe18a93c 701 * @param mixed $values
c9e15d2a
RS
702 * Array to be imploded. If a non-array is passed, it will be cast to an
703 * array.
6a488035 704 * @param string $delim
c9e15d2a
RS
705 * Delimiter to be used for implode() and which will surround the output
706 * string.
707 *
fe18a93c 708 * @return string|NULL
c9e15d2a 709 * The generated string, or NULL if NULL was passed as $values parameter.
6a488035 710 */
00be9182 711 public static function implodePadded($values, $delim = CRM_Core_DAO::VALUE_SEPARATOR) {
6a488035
TO
712 if ($values === NULL) {
713 return NULL;
714 }
fe18a93c
CW
715 // If we already have a string, strip $delim off the ends so it doesn't get added twice
716 if (is_string($values)) {
717 $values = trim($values, $delim);
718 }
719 return $delim . implode($delim, (array) $values) . $delim;
6a488035
TO
720 }
721
722 /**
c9e15d2a
RS
723 * Modifies a key in an array while preserving the key order.
724 *
725 * By default when an element is added to an array, it is added to the end.
726 * This method allows for changing an existing key while preserving its
727 * position in the array.
728 *
729 * The array is both modified in-place and returned.
730 *
731 * @param array $elementArray
732 * Array to manipulate.
733 * @param string $oldKey
734 * Old key to be replaced.
735 * @param string $newKey
736 * Replacement key string.
6a488035 737 *
c9e15d2a
RS
738 * @throws Exception
739 * Throws a generic Exception if $oldKey is not found in $elementArray.
6a488035
TO
740 *
741 * @return array
c9e15d2a 742 * The manipulated array.
6a488035 743 */
00be9182 744 public static function crmReplaceKey(&$elementArray, $oldKey, $newKey) {
6a488035
TO
745 $keys = array_keys($elementArray);
746 if (FALSE === $index = array_search($oldKey, $keys)) {
747 throw new Exception(sprintf('key "%s" does not exit', $oldKey));
748 }
749 $keys[$index] = $newKey;
750 $elementArray = array_combine($keys, array_values($elementArray));
751 return $elementArray;
752 }
bd7b39e7 753
d424ffde 754 /**
c9e15d2a
RS
755 * Searches array keys by regex, returning the value of the first match.
756 *
757 * Given a regular expression and an array, this method searches the keys
758 * of the array using the regular expression. The first match is then used
759 * to index into the array, and the associated value is retrieved and
760 * returned. If no matches are found, or if something other than an array
761 * is passed, then a default value is returned. Unless otherwise specified,
762 * the default value is NULL.
763 *
764 * @param string $regexKey
765 * The regular expression to use when searching for matching keys.
766 * @param array $list
767 * The array whose keys will be searched.
768 * @param mixed $default
769 * (optional) The default value to return if the regex does not match an
770 * array key, or if something other than an array is passed.
771 *
772 * @return mixed
773 * The value found.
bd7b39e7 774 */
00be9182 775 public static function valueByRegexKey($regexKey, $list, $default = NULL) {
bd7b39e7
PJ
776 if (is_array($list) && $regexKey) {
777 $matches = preg_grep($regexKey, array_keys($list));
778 $key = reset($matches);
779 return ($key && array_key_exists($key, $list)) ? $list[$key] : $default;
780 }
781 return $default;
782 }
17deafad
TO
783
784 /**
c9e15d2a 785 * Generates the Cartesian product of zero or more vectors.
17deafad 786 *
c9e15d2a
RS
787 * @param array $dimensions
788 * List of dimensions to multiply.
789 * Each key is a dimension name; each value is a vector.
790 * @param array $template
791 * (optional) A base set of values included in every output.
792 *
793 * @return array
794 * Each item is a distinct combination of values from $dimensions.
17deafad 795 *
d5cc0fc2 796 * For example, the product of
797 * {
17deafad
TO
798 * fg => {red, blue},
799 * bg => {white, black}
d5cc0fc2 800 * }
801 * would be
802 * {
17deafad
TO
803 * {fg => red, bg => white},
804 * {fg => red, bg => black},
805 * {fg => blue, bg => white},
806 * {fg => blue, bg => black}
d5cc0fc2 807 * }
17deafad 808 */
00be9182 809 public static function product($dimensions, $template = array()) {
17deafad
TO
810 if (empty($dimensions)) {
811 return array($template);
812 }
813
814 foreach ($dimensions as $key => $value) {
815 $firstKey = $key;
816 $firstValues = $value;
817 break;
818 }
819 unset($dimensions[$key]);
820
821 $results = array();
822 foreach ($firstValues as $firstValue) {
823 foreach (self::product($dimensions, $template) as $result) {
824 $result[$firstKey] = $firstValue;
825 $results[] = $result;
826 }
827 }
828
829 return $results;
830 }
eb20fbf0
TO
831
832 /**
fe482240 833 * Get the first element of an array.
eb20fbf0
TO
834 *
835 * @param array $array
836 * @return mixed|NULL
837 */
00be9182 838 public static function first($array) {
eb20fbf0
TO
839 foreach ($array as $value) {
840 return $value;
841 }
842 return NULL;
843 }
768c558c
TO
844
845 /**
846 * Extract any $keys from $array and copy to a new array.
847 *
848 * Note: If a $key does not appear in $array, then it will
849 * not appear in the result.
850 *
851 * @param array $array
77855840
TO
852 * @param array $keys
853 * List of keys to copy.
768c558c
TO
854 * @return array
855 */
00be9182 856 public static function subset($array, $keys) {
768c558c
TO
857 $result = array();
858 foreach ($keys as $key) {
859 if (isset($array[$key])) {
860 $result[$key] = $array[$key];
861 }
862 }
863 return $result;
864 }
a335f6b2 865
b7ceb253
CW
866 /**
867 * Transform an associative array of key=>value pairs into a non-associative array of arrays.
868 * This is necessary to preserve sort order when sending an array through json_encode.
869 *
870 * @param array $associative
871 * @param string $keyName
872 * @param string $valueName
873 * @return array
874 */
00be9182 875 public static function makeNonAssociative($associative, $keyName = 'key', $valueName = 'value') {
b7ceb253
CW
876 $output = array();
877 foreach ($associative as $key => $val) {
878 $output[] = array($keyName => $key, $valueName => $val);
879 }
880 return $output;
881 }
96025800 882
06d253f5 883 /**
884 * Diff multidimensional arrays
50bfb460 885 * (array_diff does not support multidimensional array)
06d253f5 886 *
887 * @param array $array1
888 * @param array $array2
889 * @return array
890 */
891 public static function multiArrayDiff($array1, $array2) {
892 $arrayDiff = array();
893 foreach ($array1 as $mKey => $mValue) {
894 if (array_key_exists($mKey, $array2)) {
895 if (is_array($mValue)) {
896 $recursiveDiff = self::multiArrayDiff($mValue, $array2[$mKey]);
897 if (count($recursiveDiff)) {
898 $arrayDiff[$mKey] = $recursiveDiff;
899 }
900 }
901 else {
902 if ($mValue != $array2[$mKey]) {
903 $arrayDiff[$mKey] = $mValue;
904 }
905 }
906 }
907 else {
908 $arrayDiff[$mKey] = $mValue;
909 }
910 }
911 return $arrayDiff;
912 }
5793f1d9 913
5bc7c754
TO
914 /**
915 * Given a 2-dimensional matrix, create a new matrix with a restricted list of columns.
916 *
917 * @param array $matrix
918 * All matrix data, as a list of rows.
919 * @param array $columns
920 * List of column names.
921 * @return array
922 */
923 public static function filterColumns($matrix, $columns) {
924 $newRows = array();
925 foreach ($matrix as $pos => $oldRow) {
926 $newRow = array();
927 foreach ($columns as $column) {
928 $newRow[$column] = CRM_Utils_Array::value($column, $oldRow);
929 }
930 $newRows[$pos] = $newRow;
931 }
932 return $newRows;
933 }
934
952d7eb1 935 /**
69f9c562 936 * Rewrite the keys in an array.
952d7eb1
TO
937 *
938 * @param array $array
69f9c562
CW
939 * @param string|callable $indexBy
940 * Either the value to key by, or a function($key, $value) that returns the new key.
952d7eb1
TO
941 * @return array
942 */
69f9c562 943 public static function rekey($array, $indexBy) {
952d7eb1
TO
944 $result = array();
945 foreach ($array as $key => $value) {
69f9c562 946 $newKey = is_callable($indexBy) ? $indexBy($key, $value) : $value[$indexBy];
952d7eb1
TO
947 $result[$newKey] = $value;
948 }
949 return $result;
950 }
951
4f24efcc
TO
952 /**
953 * Copy all properties of $other into $array (recursively).
954 *
955 * @param array|ArrayAccess $array
956 * @param array $other
957 */
958 public static function extend(&$array, $other) {
959 foreach ($other as $key => $value) {
960 if (is_array($value)) {
961 self::extend($array[$key], $value);
962 }
963 else {
964 $array[$key] = $value;
965 }
966 }
967 }
968
393f41dd
TO
969 /**
970 * Get a single value from an array-tre.
971 *
972 * @param array $arr
973 * Ex: array('foo'=>array('bar'=>123)).
974 * @param array $pathParts
975 * Ex: array('foo',bar').
976 * @return mixed|NULL
977 * Ex 123.
978 */
979 public static function pathGet($arr, $pathParts) {
980 $r = $arr;
981 foreach ($pathParts as $part) {
982 if (!isset($r[$part])) {
983 return NULL;
984 }
985 $r = $r[$part];
986 }
987 return $r;
988 }
989
990 /**
991 * Set a single value in an array tree.
992 *
993 * @param array $arr
994 * Ex: array('foo'=>array('bar'=>123)).
995 * @param array $pathParts
996 * Ex: array('foo',bar').
997 * @param $value
998 * Ex: 456.
999 */
1000 public static function pathSet(&$arr, $pathParts, $value) {
1001 $r = &$arr;
1002 $last = array_pop($pathParts);
1003 foreach ($pathParts as $part) {
1004 if (!isset($r[$part])) {
1005 $r[$part] = array();
1006 }
1007 $r = &$r[$part];
1008 }
1009 $r[$last] = $value;
1010 }
1011
2c6fe88a
TO
1012 /**
1013 * Convert a simple dictionary into separate key+value records.
1014 *
1015 * @param array $array
1016 * Ex: array('foo' => 'bar').
1017 * @param string $keyField
1018 * Ex: 'key'.
1019 * @param string $valueField
1020 * Ex: 'value'.
1021 * @return array
1022 * Ex: array(
1023 * 0 => array('key' => 'foo', 'value' => 'bar')
1024 * ).
1025 */
1026 public static function toKeyValueRows($array, $keyField = 'key', $valueField = 'value') {
1027 $result = array();
1028 foreach ($array as $key => $value) {
1029 $result[] = array(
1030 $keyField => $key,
1031 $valueField => $value,
1032 );
1033 }
1034 return $result;
1035 }
1036
6c28d4be 1037 /**
1038 * Convert array where key(s) holds the actual value and value(s) as 1 into array of actual values
1039 * Ex: array('foobar' => 1, 4 => 1) formatted into array('foobar', 4)
1040 *
e5ad0335
E
1041 * @deprecated use convertCheckboxInputToArray instead (after testing)
1042 * https://github.com/civicrm/civicrm-core/pull/8169
1043 *
6c28d4be 1044 * @param array $array
6c28d4be 1045 */
1046 public static function formatArrayKeys(&$array) {
38c304a5 1047 if (!is_array($array)) {
1048 return;
1049 }
6c28d4be 1050 $keys = array_keys($array, 1);
1051 if (count($keys) > 1 ||
1052 (count($keys) == 1 &&
f6cc7d47 1053 (current($keys) > 1 ||
1054 is_string(current($keys)) ||
1055 (current($keys) == 1 && $array[1] == 1) // handle (0 => 4), (1 => 1)
6c28d4be 1056 )
1057 )
1058 ) {
1059 $array = $keys;
1060 }
1061 }
1062
e5ad0335
E
1063 /**
1064 * Convert the data format coming in from checkboxes to an array of values.
1065 *
1066 * The input format from check boxes looks like
1067 * array('value1' => 1, 'value2' => 1). This function converts those values to
1068 * array(''value1', 'value2).
1069 *
1070 * The function will only alter the array if all values are equal to 1.
1071 *
1072 * @param array $input
1073 *
1074 * @return array
1075 */
1076 public static function convertCheckboxFormatToArray($input) {
1077 if (isset($input[0])) {
1078 return $input;
1079 }
1080 $keys = array_keys($input, 1);
1081 if ((count($keys) == count($input))) {
1082 return $keys;
1083 }
1084 return $input;
1085 }
1086
589e0f03
SL
1087 /**
1088 * Ensure that array is encoded in utf8 format.
1089 *
1090 * @param array $array
1091 *
1092 * @return array $array utf8-encoded.
1093 */
a83e8a28
SL
1094 public static function encode_items($array) {
1095 foreach ($array as $key => $value) {
1096 if (is_array($value)) {
1097 $array[$key] = self::encode_items($value);
1098 }
48b4ad1f 1099 elseif (is_string($value)) {
e46fbdd3 1100 $array[$key] = mb_convert_encoding($value, mb_detect_encoding($value, mb_detect_order(), TRUE), 'UTF-8');
a83e8a28 1101 }
48b4ad1f
SL
1102 else {
1103 $array[$key] = $value;
1104 }
a83e8a28
SL
1105 }
1106 return $array;
1107 }
1108
bc854509 1109 /**
1110 * Build tree of elements.
1111 *
1112 * @param array $elements
1113 * @param int|null $parentId
1114 *
1115 * @return array
1116 */
b733747a
CW
1117 public static function buildTree($elements, $parentId = NULL) {
1118 $branch = array();
1119
1120 foreach ($elements as $element) {
1121 if ($element['parent_id'] == $parentId) {
1122 $children = self::buildTree($elements, $element['id']);
1123 if ($children) {
1124 $element['children'] = $children;
1125 }
1126 $branch[] = $element;
1127 }
1128 }
1129
1130 return $branch;
1131 }
1132
bc854509 1133 /**
1134 * Find search string in tree.
1135 *
1136 * @param string $search
1137 * @param array $tree
1138 * @param string $field
1139 *
1140 * @return array|null
1141 */
b733747a
CW
1142 public static function findInTree($search, $tree, $field = 'id') {
1143 foreach ($tree as $item) {
1144 if ($item[$field] == $search) {
1145 return $item;
1146 }
1147 if (!empty($item['children'])) {
1148 $found = self::findInTree($search, $item['children']);
1149 if ($found) {
1150 return $found;
1151 }
1152 }
1153 }
1154 return NULL;
1155 }
1156
6a488035 1157}