config.php 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111
  1. <?php namespace System;
  2. class Config {
  3. /**
  4. * All of the loaded configuration items.
  5. *
  6. * @var array
  7. */
  8. private static $items = array();
  9. /**
  10. * Determine if a configuration item or file exists.
  11. *
  12. * @param string $key
  13. * @return bool
  14. */
  15. public static function has($key)
  16. {
  17. return ! is_null(static::get($key));
  18. }
  19. /**
  20. * Get a configuration item.
  21. *
  22. * Configuration items are retrieved using "dot" notation. So, asking for the
  23. * "application.timezone" configuration item would return the "timezone" option
  24. * from the "application" configuration file.
  25. *
  26. * If the name of a configuration file is passed without specifying an item, the
  27. * entire configuration array will be returned.
  28. *
  29. * @param string $key
  30. * @param string $default
  31. * @return array
  32. */
  33. public static function get($key, $default = null)
  34. {
  35. if (strpos($key, '.') === false)
  36. {
  37. static::load($key);
  38. return Arr::get(static::$items, $key, $default);
  39. }
  40. list($file, $key) = static::parse($key);
  41. static::load($file);
  42. if ( ! array_key_exists($file, static::$items))
  43. {
  44. return is_callable($default) ? call_user_func($default) : $default;
  45. }
  46. return Arr::get(static::$items[$file], $key, $default);
  47. }
  48. /**
  49. * Set a configuration item.
  50. *
  51. * @param string $key
  52. * @param mixed $value
  53. * @return void
  54. */
  55. public static function set($key, $value)
  56. {
  57. list($file, $key) = static::parse($key);
  58. static::load($file);
  59. static::$items[$file][$key] = $value;
  60. }
  61. /**
  62. * Parse a configuration key.
  63. *
  64. * The value on the left side of the dot is the configuration file
  65. * name, while the right side of the dot is the item within that file.
  66. *
  67. * @param string $key
  68. * @return array
  69. */
  70. private static function parse($key)
  71. {
  72. $segments = explode('.', $key);
  73. if (count($segments) < 2)
  74. {
  75. throw new \Exception("Invalid configuration key [$key].");
  76. }
  77. return array($segments[0], implode('.', array_slice($segments, 1)));
  78. }
  79. /**
  80. * Load all of the configuration items from a file.
  81. *
  82. * @param string $file
  83. * @return void
  84. */
  85. public static function load($file)
  86. {
  87. $directory = (isset($_SERVER['LARAVEL_ENV'])) ? $_SERVER['LARAVEL_ENV'].'/' : '';
  88. if ( ! array_key_exists($file, static::$items) and file_exists($path = APP_PATH.'config/'.$directory.$file.EXT))
  89. {
  90. static::$items[$file] = require $path;
  91. }
  92. }
  93. }