validator.php 1.6 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788
  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. // If the source is an Eloquent model, use the model's attributes as the validation attributes.
  35. $this->attributes = ($target instanceof DB\Eloquent) ? $target->attributes : (array) $target;
  36. }
  37. /**
  38. * Create a new Validator instance.
  39. *
  40. * @param mixed $target
  41. * @return Validator
  42. */
  43. public static function make($target = null)
  44. {
  45. return new static($target);
  46. }
  47. /**
  48. * Determine if the attributes pass all of the validation rules.
  49. *
  50. * @return bool
  51. */
  52. public function is_valid()
  53. {
  54. $this->errors->messages = array();
  55. foreach ($this->rules as $rule)
  56. {
  57. $rule->validate($this->attributes, $this->errors);
  58. }
  59. return count($this->errors->messages) == 0;
  60. }
  61. /**
  62. * Magic Method for dynamically creating validation rules.
  63. */
  64. public function __call($method, $parameters)
  65. {
  66. if (file_exists(SYS_PATH.'validation/rules/'.$method.EXT))
  67. {
  68. $rule = '\\System\\Validation\\Rules\\'.$method;
  69. return $this->rules[] = new $rule($parameters);
  70. }
  71. throw new \Exception("Method [$method] does not exist on Validator class.");
  72. }
  73. }