errors.php 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113
  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. * @return string
  50. */
  51. public function first($attribute)
  52. {
  53. return (count($messages = $this->get($attribute)) > 0) ? $messages[0] : '';
  54. }
  55. /**
  56. * Get all of the error messages for an attribute.
  57. *
  58. * If no attribute is specified, all of the error messages will be returned.
  59. *
  60. * @param string $attribute
  61. * @param string $format
  62. * @return array
  63. */
  64. public function get($attribute = null, $format = ':message')
  65. {
  66. if (is_null($attribute))
  67. {
  68. return $this->all($format);
  69. }
  70. return (array_key_exists($attribute, $this->messages)) ? $this->format($this->messages[$attribute], $format) : array();
  71. }
  72. /**
  73. * Get all of the error messages.
  74. *
  75. * @param string $format
  76. * @return array
  77. */
  78. public function all($format = ':message')
  79. {
  80. $all = array();
  81. foreach ($this->messages as $messages)
  82. {
  83. $all = array_merge($all, $this->format($messages, $format));
  84. }
  85. return $all;
  86. }
  87. /**
  88. * Format an array of messages.
  89. *
  90. * @param array $messages
  91. * @param string $format
  92. * @return array
  93. */
  94. private function format($messages, $format)
  95. {
  96. array_walk($messages, function(&$message, $key) use ($format) { $message = str_replace(':message', $message, $format); });
  97. return $messages;
  98. }
  99. }