让我们想象一下,我们有一个表格问:“你是先生/夫人吗?” 根据答案值,我们将实施进一步的验证。
例如,先生 > 验证最喜欢的车型 夫人 > 验证最喜欢的花
可以覆盖isValid
功能吗?也许一些最佳实践的例子?
让我们想象一下,我们有一个表格问:“你是先生/夫人吗?” 根据答案值,我们将实施进一步的验证。
例如,先生 > 验证最喜欢的车型 夫人 > 验证最喜欢的花
可以覆盖isValid
功能吗?也许一些最佳实践的例子?
我会编写一个自定义验证器并使用提供的$context
变量。
一个简短的例子
控制器
class MyController extends Zend_Controller_Action {
public function indexAction() {
$form = new Application_Form_Gender();
$this->view->form = $form;
if ($this->getRequest()->isPost()) {
if ($form->isValid($this->getRequest()->getPost())) {
/*...*/
}
}
}
}
形式
class Application_Form_Gender extends Zend_Form {
public function init()
{
$this->addElement('radio', 'radio1', array('multiOptions' => array('m' => 'male', 'w' => 'female')));
$this->getElement('radio1')->isRequired(true);
$this->getElement('radio1')->setAllowEmpty(false);
$this->addElement('text', 'textm', array('label' => 'If you are male enter something here');
$this->getElement('textm')->setAllowEmpty(false)->addValidator(new MyValidator('m'));
$this->addElement('text', 'textf', array('label' => 'If you are female enter something here'));
$this->getElement('textf')->setAllowEmpty(false)->addValidator(new MyValidator('f'));
$this->addElement('submit', 'submit');
}
验证器
class MyValidator extends Zend_Validate_Abstract {
const ERROR = 'error';
protected $_gender;
protected $_messageTemplates = array(
self::ERROR => "Your gender is %gender%, so you have to enter something here",
);
protected $_messageVariables = array('gender' => '_gender');
function __construct($gender) {
$this->_gender = $gender;
}
function isValid( $value, $context = null ) {
if (!isset($context['radio1'])) {
return true;
}
if ($context['radio1'] != $this->_gender) {
return true;
}
if (empty($context[sprintf('text%s', $this->_gender)])) {
$this->_error(self::ERROR);
return false;
}
return true;
}
}
正如您在此示例中所看到的,其中提供的所有数据$form->isValid()
都可以通过$context
变量获得,并且您可以执行任何您喜欢的检查。