我有一个Multiselect Zend Form元素,有很多选项。 我必须验证所选选项的数量(至少选择N个选项,最多选择M个选项)。我想在表单中打印错误消息,就像常规的Zend Validate错误消息一样。
最简单(也是最不实用)的方式是什么?
常规验证器不能这样做,因为每个选定的值都是完全单独验证的。
我试图覆盖表单的isValid方法并在那里添加逻辑(如果数字超出允许范围,则返回false并添加错误消息),但这会导致错误消息被多次打印(对于每个选定的值) )。我觉得尝试解决这个问题会导致代码非常糟糕。
感谢您的帮助
答案 0 :(得分:1)
不知道这对你来说是否过于苛刻。
$element = new Zend_Form_Element_Multiselect('CheckThis');
$options = array(
1 => 'Option One',
2 => 'Option Two',
3 => 'Option Three',
4 => 'Option Four',
5 => 'Option Five',
6 => 'Option Six',
7 => 'Option Seven',
8 => 'Option Eight',
);
$element->addMultiOptions($options);
$betweenOptions = array('min' => 2, 'max' => 4);
$betweenValidator = new Zend_Validate_Between($betweenOptions);
$betweenValidator->setMessage("The number of submitted values '%value%' is not between '%min%' and '%max%', inclusively",'notBetween');
if ( true === $this->getRequest()->isPost() ) {
if ( true === $betweenValidator->isValid(count($_POST['CheckThis'])) ) {
$form->isValid($_POST);
} else {
$messages = $betweenValidator->getMessages();
$element->addError($messages['notBetween']);
$form->setDefaults($_POST);
}
}
<强>更新强>
请注意避免重复的错误消息
如果您不能在表单或元素上调用isValid
;就像在我的例子中我只添加错误消息并设置默认值。问题是isValid($value)
将调用_getErrorMessages()
,该方法会根据值检查错误消息。
如果你无法避免调用isValid
,我会扩展Multiselect元素并用我的一个逻辑覆盖_ getErrorMessages()
方法。你可以在Zend/Form/Element.php
类的底部找到该方法。
答案 1 :(得分:0)
我决定创建自定义的Errors元素装饰器,它会丢弃非唯一的错误消息:
<?php
class Element_Decorator_Errors extends Zend_Form_Decorator_Abstract
{
/**
* Render errors
*
* @param string $content
* @return string
*/
public function render($content)
{
$element = $this->getElement();
$view = $element->getView();
if (null === $view) {
return $content;
}
// The array_unique is the only difference in comparison to the default Error decorator
$errors = array_unique($element->getMessages());
if (empty($errors)) {
return $content;
}
$separator = $this->getSeparator();
$placement = $this->getPlacement();
$errors = $view->formErrors($errors, $this->getOptions());
switch ($placement) {
case self::APPEND:
return $content . $separator . $errors;
case self::PREPEND:
return $errors . $separator . $content;
}
}
}
?>