config.php 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102
  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. * Get a configuration item.
  11. *
  12. * @param string $key
  13. * @return mixed
  14. */
  15. public static function get($key)
  16. {
  17. list($file, $key) = static::parse($key);
  18. static::load($file);
  19. if (array_key_exists($key, static::$items[$file]))
  20. {
  21. return static::$items[$file][$key];
  22. }
  23. throw new \Exception("Configuration item [$key] is not defined.");
  24. }
  25. /**
  26. * Set a configuration item.
  27. *
  28. * @param string $key
  29. * @param mixed $value
  30. * @return void
  31. */
  32. public static function set($key, $value)
  33. {
  34. list($file, $key) = static::parse($key);
  35. static::load($file);
  36. static::$items[$file][$key] = $value;
  37. }
  38. /**
  39. * Parse a configuration key.
  40. *
  41. * @param string $key
  42. * @return array
  43. */
  44. private static function parse($key)
  45. {
  46. // -----------------------------------------------------
  47. // The left side of the dot is the file name, while
  48. // the right side of the dot is the item within that
  49. // file being requested.
  50. //
  51. // This syntax allows for the easy retrieval and setting
  52. // of configuration items.
  53. // -----------------------------------------------------
  54. $segments = explode('.', $key);
  55. if (count($segments) < 2)
  56. {
  57. throw new \Exception("Invalid configuration key [$key].");
  58. }
  59. return array($segments[0], implode('.', array_slice($segments, 1)));
  60. }
  61. /**
  62. * Load all of the configuration items.
  63. *
  64. * @param string $file
  65. * @return void
  66. */
  67. public static function load($file)
  68. {
  69. // -----------------------------------------------------
  70. // If we have already loaded the file, bail out.
  71. // -----------------------------------------------------
  72. if (array_key_exists($file, static::$items))
  73. {
  74. return;
  75. }
  76. if ( ! file_exists($path = APP_PATH.'config/'.$file.EXT))
  77. {
  78. throw new \Exception("Configuration file [$file] does not exist.");
  79. }
  80. // -----------------------------------------------------
  81. // Load the configuration array into the array of items.
  82. // The items array is keyed by filename.
  83. // -----------------------------------------------------
  84. static::$items[$file] = require $path;
  85. }
  86. }