在zend框架中,如何使用表单中的代码为字段集中的新表单元素添加inputfilter?在下面的例子中,我为fieldset类中的那些元素定义了一组公共表单元素和一个inputfilter,并将该fieldset添加到表单中。之后,我将一个或多个新的表单元素添加到表单代码中的字段集中(我在表单中而不是在字段集中执行它以准备通过表单工厂动态添加元素)。我遇到的问题是为其他元素添加新的输入过滤器定义。
在我的字段集中:
class myFieldset extends Fieldset implements InputFilterProviderInterface
{
public function init()
{
// add form elements
}
public function getInputFilterSpecification()
{
$inputFilter['myFormElement'] = [
'required' => true,
'filters' => [[ ... ],],
'validators' => [[ ... ],],
'allow_empty' => false,
'continue_if_empty' => false,
];
// more filters
return $inputFilter;
}
}
以我的形式:
class myForm extends Form
{
public function __construct()
{
// ...
// add elements from fieldset
$this->add([
'name' => 'myFieldset',
'type' => 'Application\Form\Fieldset\myFieldset',
'options' => [
'use_as_base_fieldset' => true,
],
]);
// add new element
$myFieldset = $this->get('myFieldset');
$myFieldset->add([
'name' => 'additionalElement',
'type' => 'Zend\Form\Element\ ... ',
'attributes' => [],
'options' => [],
]);
// update inputfilter
$input = new Input('additionalElement');
$input->setRequired(false);
$currentInputFilter = $this->getInputFilter();
$currentInputFilter->add($input);
$this->setInputFilter($currentInputFilter);
// submit buttons
}
}
在这个例子中,附加元素被添加到字段集中,但是我有错误的代码将新定义添加到inputfilter。
答案 0 :(得分:2)
您需要获取Fieldset的输入过滤器而不是表单类。为此,Zend Framework包含InputFilterProviderFieldset
类,您应该从该类继承您的fieldset。 InputFilterProviderFieldset
类带有getter和setter方法,用于在运行时修改输入过滤器规范。以下代码未经过测试,但应该可以使用。
namesapce Application\Form\MyFieldset;
use Zend\Form\InputFilterProviderFieldset;
class MyFieldset extends InputFilterProviderFieldset
{
public function init()
{
$this->add([
'name' => 'element1',
'type' => Text::class,
'attributes' => [
...
],
'options' => [
...
],
]);
}
}
使用InputFilterProviderFieldset
类时,表单类应该如下所示。
namespace Application\Form;
use Zend\Form\Form;
class YourForm extends Form
{
public function __construct(string $name, array $options = [])
{
// definition of your fieldset must use the input_filter_spec key
$this->add([
'name' => 'myFieldset',
'type' => 'Application\Form\Fieldset\myFieldset',
'options' => [
'use_as_base_fieldset' => true,
'input_filter_spec' => [
'element1' => [
'required' => true,
'filters' => [
...
],
'validators' => [
...
],
],
],
],
]);
// add a new element to the fieldset
$this->get('myFieldset')->add([
'name' => 'element2',
'type' => Text::class,
'attributes' => [
...
],
'options' => [
...
],
]);
// Update the input filter of the fieldset
$myFieldsetFilterSpec = $this->get('myFieldset')->getInputFilterSpecification();
$myNewFieldsetFilterSpec = array_merge(
$myFieldsetFilterSpec,
[
'element2' => [
'required' => false,
],
],
);
// set the new filter specs for your fieldset
$this->get('myFieldset')->setInputFilterSpecification($myNewFieldsetFilterSpec);
}
}
正如您所见,Zend Framework带来了解决问题所需的所有内容。我希望这种方法对你有所帮助。