codeigniter - 自定义验证
问题描述:
This is my extended class for form_validation:
<?php
class MY_Form_validation extends CI_Form_validation
{
function __construct($config = array()) {
parent::__construct($config);
}
function count_errors(){
if (count($this->_error_array) === 0){
return 0;
}
else
return count($this->_error_array);
}
public function max_number($num, $val) {
if($num > $val){
$this->set_message("max_number", "The %s can not be greater then " . $val);
return false;
}
}
public function min_number($num, $val) {
if($num < $val){
$this->set_message("min_number", "The %s can not be smaller then " . $num);
return false;
}
}
public function error_array(){
return $this->_error_array;
}
}
And then in controller I set up rule like this for example "num" field:
$this->form_validation->set_rules('num', "Number", 'required|numeric|min_number[1]|max_number[99]');
For example 56 passes but also 1903.
But if num field is 0 it works.
So, this is working only for min_num but does not work for max_num.
What I am doing wrong here?
答
Codeigniter already has a built-in function for this, greater_than[1]
and less_than[99]
However, to get your functions working you need to return true (well, !== FALSE) i.e.
public function max_number($num, $val) {
if($num > $val){
$this->set_message("max_number", "The %s can not be greater then " . $val);
return false;
}
return true;
}
public function min_number($num, $val) {
if($num < $val){
$this->set_message("min_number", "The %s can not be smaller then " . $num);
return false;
}
return true;
}
Hope this helps!