errors.php 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114
  1. <?php namespace System\Validation;
  2. class Errors {
  3. /**
  4. * All of the error messages.
  5. *
  6. * @var array
  7. */
  8. public $messages;
  9. /**
  10. * Create a new Errors instance.
  11. *
  12. * @return void
  13. */
  14. public function __construct($messages = array())
  15. {
  16. $this->messages = $messages;
  17. }
  18. /**
  19. * Add an error message to the collector.
  20. *
  21. * Duplicate messages will not be added.
  22. *
  23. * @param string $attribute
  24. * @param string $message
  25. * @return void
  26. */
  27. public function add($attribute, $message)
  28. {
  29. // Make sure the error message is not duplicated.
  30. if ( ! array_key_exists($attribute, $this->messages) or ! is_array($this->messages[$attribute]) or ! in_array($message, $this->messages[$attribute]))
  31. {
  32. $this->messages[$attribute][] = $message;
  33. }
  34. }
  35. /**
  36. * Determine if errors exist for an attribute.
  37. *
  38. * @param string $attribute
  39. * @return bool
  40. */
  41. public function has($attribute)
  42. {
  43. return $this->first($attribute) !== '';
  44. }
  45. /**
  46. * Get the first error message for an attribute.
  47. *
  48. * @param string $attribute
  49. * @param string $format
  50. * @return string
  51. */
  52. public function first($attribute, $format = ':message')
  53. {
  54. return (count($messages = $this->get($attribute, $format)) > 0) ? $messages[0] : '';
  55. }
  56. /**
  57. * Get all of the error messages for an attribute.
  58. *
  59. * If no attribute is specified, all of the error messages will be returned.
  60. *
  61. * @param string $attribute
  62. * @param string $format
  63. * @return array
  64. */
  65. public function get($attribute = null, $format = ':message')
  66. {
  67. if (is_null($attribute))
  68. {
  69. return $this->all($format);
  70. }
  71. return (array_key_exists($attribute, $this->messages)) ? $this->format($this->messages[$attribute], $format) : array();
  72. }
  73. /**
  74. * Get all of the error messages.
  75. *
  76. * @param string $format
  77. * @return array
  78. */
  79. public function all($format = ':message')
  80. {
  81. $all = array();
  82. foreach ($this->messages as $messages)
  83. {
  84. $all = array_merge($all, $this->format($messages, $format));
  85. }
  86. return $all;
  87. }
  88. /**
  89. * Format an array of messages.
  90. *
  91. * @param array $messages
  92. * @param string $format
  93. * @return array
  94. */
  95. private function format($messages, $format)
  96. {
  97. array_walk($messages, function(&$message, $key) use ($format) { $message = str_replace(':message', $message, $format); });
  98. return $messages;
  99. }
  100. }