config.php 2.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106
  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 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. * @param string $key
  23. * @param string $default
  24. * @return mixed
  25. */
  26. public static function get($key, $default = null)
  27. {
  28. // If no "dot" is present in the key, return the entire configuration array.
  29. if(strpos($key, '.') === false)
  30. {
  31. static::load($key);
  32. return Arr::get(static::$items, $key, $default);
  33. }
  34. list($file, $key) = static::parse($key);
  35. static::load($file);
  36. // Verify that the configuration file actually exists.
  37. if ( ! array_key_exists($file, static::$items))
  38. {
  39. return $default;
  40. }
  41. return Arr::get(static::$items[$file], $key, $default);
  42. }
  43. /**
  44. * Set a configuration item.
  45. *
  46. * @param string $key
  47. * @param mixed $value
  48. * @return void
  49. */
  50. public static function set($key, $value)
  51. {
  52. list($file, $key) = static::parse($key);
  53. static::load($file);
  54. static::$items[$file][$key] = $value;
  55. }
  56. /**
  57. * Parse a configuration key.
  58. *
  59. * @param string $key
  60. * @return array
  61. */
  62. private static function parse($key)
  63. {
  64. // The left side of the dot is the file name, while the right side of the dot
  65. // is the item within that file being requested.
  66. $segments = explode('.', $key);
  67. if (count($segments) < 2)
  68. {
  69. throw new \Exception("Invalid configuration key [$key].");
  70. }
  71. return array($segments[0], implode('.', array_slice($segments, 1)));
  72. }
  73. /**
  74. * Load all of the configuration items from a file.
  75. *
  76. * @param string $file
  77. * @return void
  78. */
  79. public static function load($file)
  80. {
  81. // Bail out if already loaded or doesn't exist.
  82. if (array_key_exists($file, static::$items) or ! file_exists($path = APP_PATH.'config/'.$file.EXT))
  83. {
  84. return;
  85. }
  86. static::$items[$file] = require $path;
  87. }
  88. }