arr.php 1.9 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586
  1. <?php namespace Laravel;
  2. use Closure;
  3. class Arr {
  4. /**
  5. * Get an item from an array.
  6. *
  7. * If the specified key is null, the entire array will be returned. The array may
  8. * also be accessed using JavaScript "dot" style notation. Retrieving items nested
  9. * in multiple arrays is supported.
  10. *
  11. * @param array $array
  12. * @param string $key
  13. * @param mixed $default
  14. * @return mixed
  15. */
  16. public static function get($array, $key, $default = null)
  17. {
  18. if (is_null($key)) return $array;
  19. foreach (explode('.', $key) as $segment)
  20. {
  21. if ( ! is_array($array) or ! array_key_exists($segment, $array))
  22. {
  23. return ($default instanceof Closure) ? call_user_func($default) : $default;
  24. }
  25. $array = $array[$segment];
  26. }
  27. return $array;
  28. }
  29. /**
  30. * Set an array item to a given value.
  31. *
  32. * This method is primarly helpful for setting the value in an array with
  33. * a variable depth, such as configuration arrays. Like the Arr::get
  34. * method, JavaScript "dot" syntax is supported.
  35. *
  36. * @param array $array
  37. * @param string $key
  38. * @param mixed $value
  39. * @return void
  40. */
  41. public static function set(&$array, $key, $value)
  42. {
  43. if (is_null($key)) return $array = $value;
  44. $keys = explode('.', $key);
  45. while (count($keys) > 1)
  46. {
  47. $key = array_shift($keys);
  48. if ( ! isset($array[$key]) or ! is_array($array[$key]))
  49. {
  50. $array[$key] = array();
  51. }
  52. $array =& $array[$key];
  53. }
  54. $array[array_shift($keys)] = $value;
  55. }
  56. /**
  57. * Return the first element in an array which passes a given truth test.
  58. *
  59. * @param array $array
  60. * @param Closure $callback
  61. * @return mixed
  62. */
  63. public static function first($array, $callback, $default = null)
  64. {
  65. foreach ($array as $key => $value)
  66. {
  67. if (call_user_func($callback, $key, $value)) return $value;
  68. }
  69. return ($default instanceof Closure) ? call_user_func($default) : $default;
  70. }
  71. }