arr.php 2.3 KB

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