validator.php 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899
  1. <?php namespace System;
  2. class Validator {
  3. /**
  4. * The attributes being validated.
  5. *
  6. * @var array
  7. */
  8. public $attributes;
  9. /**
  10. * The validation error collector.
  11. *
  12. * @var Error_Collector
  13. */
  14. public $errors;
  15. /**
  16. * The validation rules.
  17. *
  18. * @var array
  19. */
  20. public $rules = array();
  21. /**
  22. * Create a new Validator instance.
  23. *
  24. * @param mixed $target
  25. * @return void
  26. */
  27. public function __construct($target = null)
  28. {
  29. $this->errors = new Validation\Error_Collector;
  30. if (is_null($target))
  31. {
  32. $target = Input::get();
  33. }
  34. // ---------------------------------------------------------
  35. // If the source is an Eloquent model, use the model's
  36. // attributes as the validation attributes.
  37. // ---------------------------------------------------------
  38. $this->attributes = ($target instanceof DB\Eloquent) ? $target->attributes : (array) $target;
  39. }
  40. /**
  41. * Create a new Validator instance.
  42. *
  43. * @param mixed $target
  44. * @return Validator
  45. */
  46. public static function make($target = null)
  47. {
  48. return new static($target);
  49. }
  50. /**
  51. * Determine if the attributes pass all of the validation rules.
  52. *
  53. * @return bool
  54. */
  55. public function is_valid()
  56. {
  57. $this->errors->messages = array();
  58. foreach ($this->rules as $rule)
  59. {
  60. // ---------------------------------------------------------
  61. // The error collector is passed to the rule so that the
  62. // rule may conveniently add error messages.
  63. // ---------------------------------------------------------
  64. $rule->validate($this->attributes, $this->errors);
  65. }
  66. return count($this->errors->messages) == 0;
  67. }
  68. /**
  69. * Magic Method for dynamically creating validation rules.
  70. */
  71. public function __call($method, $parameters)
  72. {
  73. // ---------------------------------------------------------
  74. // Check if the validation rule is defined in the rules
  75. // directory. If it is, create a new rule and return it.
  76. // ---------------------------------------------------------
  77. if (file_exists(SYS_PATH.'validation/rules/'.$method.EXT))
  78. {
  79. $rule = '\\System\\Validation\\Rules\\'.$method;
  80. return $this->rules[] = new $rule($parameters);
  81. }
  82. throw new \Exception("Method [$method] does not exist on Validator class.");
  83. }
  84. }