input.php 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122
  1. <?php namespace System;
  2. class Input {
  3. /**
  4. * The input data for the request.
  5. *
  6. * @var array
  7. */
  8. public static $input;
  9. /**
  10. * Get all of the input data for the request.
  11. *
  12. * This method returns a merged array containing Input::get and Input::file.
  13. *
  14. * @return array
  15. */
  16. public static function all()
  17. {
  18. return array_merge(static::get(), static::file());
  19. }
  20. /**
  21. * Determine if the input data contains an item.
  22. *
  23. * @param string $key
  24. * @return bool
  25. */
  26. public static function has($key)
  27. {
  28. return ( ! is_null(static::get($key)) and trim((string) static::get($key)) !== '');
  29. }
  30. /**
  31. * Get an item from the input data.
  32. *
  33. * @param string $key
  34. * @param mixed $default
  35. * @return string
  36. */
  37. public static function get($key = null, $default = null)
  38. {
  39. if (is_null(static::$input))
  40. {
  41. static::hydrate();
  42. }
  43. return Arr::get(static::$input, $key, $default);
  44. }
  45. /**
  46. * Determine if the old input data contains an item.
  47. *
  48. * @param string $key
  49. * @return bool
  50. */
  51. public static function had($key)
  52. {
  53. return ( ! is_null(static::old($key)) and trim((string) static::old($key)) !== '');
  54. }
  55. /**
  56. * Get input data from the previous request.
  57. *
  58. * @param string $key
  59. * @param mixed $default
  60. * @return string
  61. */
  62. public static function old($key = null, $default = null)
  63. {
  64. if (Config::get('session.driver') == '')
  65. {
  66. throw new \Exception("Sessions must be enabled to retrieve old input data.");
  67. }
  68. return Arr::get(Session::get('laravel_old_input', array()), $key, $default);
  69. }
  70. /**
  71. * Get an item from the uploaded file data.
  72. *
  73. * @param string $key
  74. * @param mixed $default
  75. * @return array
  76. */
  77. public static function file($key = null, $default = null)
  78. {
  79. return Arr::get($_FILES, $key, $default);
  80. }
  81. /**
  82. * Hydrate the input data for the request.
  83. *
  84. * @return void
  85. */
  86. public static function hydrate()
  87. {
  88. switch (Request::method())
  89. {
  90. case 'GET':
  91. static::$input =& $_GET;
  92. break;
  93. case 'POST':
  94. static::$input =& $_POST;
  95. break;
  96. case 'PUT':
  97. case 'DELETE':
  98. if (Request::spoofed())
  99. {
  100. static::$input =& $_POST;
  101. }
  102. else
  103. {
  104. parse_str(file_get_contents('php://input'), static::$input);
  105. }
  106. }
  107. }
  108. }