validator.php 2.0 KB

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