validator.php 2.1 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394
  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 Eloquent validator instance.
  23. *
  24. * @param mixed $target
  25. * @return void
  26. */
  27. public function __construct($target)
  28. {
  29. // ---------------------------------------------------------
  30. // If the source is an Eloquent model, use the model's
  31. // attributes as the validation attributes.
  32. // ---------------------------------------------------------
  33. $this->attributes = ($target instanceof DB\Eloquent) ? $target->attributes : (array) $target;
  34. $this->errors = new Validation\Error_Collector;
  35. }
  36. /**
  37. * Create a new Eloquent validator instance.
  38. *
  39. * @param mixed $target
  40. * @return Validator
  41. */
  42. public static function of($target)
  43. {
  44. return new static($target);
  45. }
  46. /**
  47. * Determine if the model passes all of the validation rules.
  48. *
  49. * @return bool
  50. */
  51. public function is_valid()
  52. {
  53. $this->errors->messages = array();
  54. foreach ($this->rules as $rule)
  55. {
  56. // ---------------------------------------------------------
  57. // The error collector is passed to the rule so that the
  58. // rule may conveniently add error messages.
  59. // ---------------------------------------------------------
  60. $rule->validate($this->attributes, $this->errors);
  61. }
  62. return count($this->errors->messages) === 0;
  63. }
  64. /**
  65. * Magic Method for dynamically creating validation rules.
  66. */
  67. public function __call($method, $parameters)
  68. {
  69. // ---------------------------------------------------------
  70. // Check if the validation rule is defined in the rules
  71. // directory. If it is, create a new rule and return it.
  72. // ---------------------------------------------------------
  73. if (file_exists(SYS_PATH.'validation/rules/'.$method.EXT))
  74. {
  75. $rule = '\\System\\Validation\\Rules\\'.$method;
  76. return $this->rules[] = new $rule($parameters);
  77. }
  78. throw new \Exception("Method [$method] does not exist on Validator class.");
  79. }
  80. }