CakePHP验证取决于其他字段

时间:2013-01-08 14:43:48

标签: cakephp cakephp-2.0 cakephp-2.1 cakephp-2.2

我想知道CakePHP验证规则是否可以根据另一个验证字段。

我一直在阅读documentation about custom validation rules,但$check param只包含要验证的当前字段的值。

例如。我想将 verify_password 字段定义为 required 仅当 new_password 字段不为空时。 (以防

无论如何我可以用Javascript做到,但我想知道是否可以直接用CakePHP来做。

1 个答案:

答案 0 :(得分:14)

验证模型上的数据时,数据已经是set()。这意味着您可以在模型的$data属性上访问它。下面的示例检查我们正在验证的字段,以确保它与验证规则中定义的其他字段(例如密码确认字段)相同。

验证规则如下所示:

var $validate = array(
    'password' => array(            
        'minLength' => array(
            'rule' => array('minLength', 6),
            'message' => 'Your password must be at least 6 characters long.'
        ),
        'notempty' => array(
            'rule' => 'notEmpty',
            'message' => 'Please fill in the required field.'
        )
    ),
    'confirm_password' => array(
        'identical' => array(
            'rule' => array('identicalFieldValues', 'password'),
            'message' => 'Password confirmation does not match password.'
        )
    )
);

我们的验证函数会查看传递的字段数据(confirm_password),并将其与我们在规则中定义的数据(传递给$compareFiled)进行比较。

function identicalFieldValues(&$data, $compareField) {
    // $data array is passed using the form field name as the key
    // so let's just get the field name to compare
    $value = array_values($data);
    $comparewithvalue = $value[0];
    return ($this->data[$this->name][$compareField] == $comparewithvalue);
}

这是一个简单的示例,但您可以使用$this->data执行任何操作。

您帖子中的示例可能如下所示:

function requireNotEmpty(&$data, $shouldNotBeEmpty) {
    return !empty($this->data[$this->name][$shouldNotBeEmpty]);
}

规则:

var $validate = array(
  'verify_password' => array(
    'rule' => array('requireNotEmpty', 'password')
  )
);