我想确保某个文本字段不包含特定值。有没有办法让我使用CI的表单验证课程来完成这项工作,还是我必须为它编写自己的扩展?
答案 0 :(得分:8)
我会扩展表单验证类: http://codeigniter.com/user_guide/general/creating_libraries.html
像
这样的东西<?
class MY_Form_validation extends CI_Form_validation {
function __constuct() {
parent::__constuct();
}
function isnt($str,$field){
$this->CI->form_validation->set_message('isnt', "%s contains an invalid response");
return $str!==$field;
}
}
?>
您的验证规则类似于
trim|alpha_numeric|isnt[invalid value]
或者,您可以创建回调函数,而不是扩展类。 CI用户指南的表单验证部分有一个相关示例: http://codeigniter.com/user_guide/libraries/form_validation.html#callbacks
答案 1 :(得分:4)
我同意Billiam你应该扩展Form_validation类
我发现人们更有可能想要验证可能的字符串值的白名单而不是黑名单。例如,您知道'shirt_size'字段应该只返回字符串值:'xl','l','m','s'。我的解决方案是处理这两种情况。
我在MY_From_validation中使用这些方法:
/**
* ENUM
* The submitted string must match one of the values given
*
* usage:
* enum[value_1, value_2, value_n]
*
* example (any value beside exactly 'ASC' or 'DESC' are invalid):
* $rule['order_by'] = "required|enum[ASC,DESC]";
*
* example of case-insenstive enum using strtolower as validation rule
* $rule['favorite_corey'] = "required|strtolower|enum[feldman]";
*
* @access public
* @param string $str the input to validate
* @param string $val a comma separated lists of values
* @return bool
*/
function enum($str, $val='')
{
if (empty($val))
{
return FALSE;
}
$arr = explode(',', $val);
$array = array();
foreach($arr as $value)
{
$array[] = trim($value);
}
return (in_array(trim($str), $array)) ? TRUE : FALSE;
}
// --------------------------------------------------------------------
/**
* NOT ENUM
* The submitted string must NOT match one of the values given
*
* usage:
* enum[value_1, value_2, value_n]
*
* example (any input beside exactly 'feldman' or 'haim' are valid):
* $rule['favorite_corey'] = "required|not_enum['feldman','haim']";
*
* @access public
* @param string $str the input to validate
* @param string $val a comma separated lists of values
* @return bool
*/
function not_enum($str, $val='')
{
return ($this->enum($str,$val) === TRUE)? FALSE : TRUE;
}
使用Billiam的例子,验证规则不允许字符串'无效值'类似于:
trim|alpha_numeric|not_enum[invalid value]
答案 2 :(得分:4)
查找“回调:您自己的验证函数”部分。在示例中,它使用用户名字段中的单词“test”进行检查,如果找到该值,则返回自定义错误。
在您的控制器中,将“用户名”规则更改为:
$this->form_validation->set_rules('username', 'Username', 'callback_username_check');
然后将一个名为username_check的新函数添加到您的控制器:
function username_check($str)
{
if ($str == 'test')
{
$this->form_validation->set_message('username_check', 'The %s field can not be the word "test"');
return FALSE;
}
else
{
return TRUE;
}
}
鲍勃是你的叔叔......
答案 3 :(得分:0)
CodeIgniter的表单验证类几乎可以调用规则集中任何声明的PHP函数。所以我只是简单地声明一个函数:
class yourController {
function someFunction() {
$this->form_validation->set_rules('the_field_you_want_to_check', 'The Field Name', 'trim|myvalfunc[not this value]|xss');
}
}
function myvalfunc($formvalue, $notallowed) {
$this->CI->form_validation->set_message('myvalfunc', "%s is not allowed");
return $formvalue !== $nowallowed;
}