如何在 Zend Framework 2 的 Fieldset child class 中设置元素的类型?
How to set the type of an element in a Fieldset child class in Zend Framework 2?
我有两个非常相似的Fieldset
MyFooFieldset
和MyBarFieldset
。为了避免代码重复,我创建了一个 AbstractMyFieldset
,将整个代码移到那里,并希望处理具体 类:
init()
方法中的差异
AbstractMyFooFieldset
namespace My\Form\Fieldset;
use Zend\Form\Fieldset;
use Zend\InputFilter\InputFilterProviderInterface;
abstract class AbstractMyFieldset extends Fieldset implements InputFilterProviderInterface
{
public function init()
{
$this->add(
[
'type' => 'multi_checkbox',
'name' => 'my_field',
'options' => [
'label_attributes' => [
'class' => '...'
],
'value_options' => $this->getValueOptions()
]
]);
}
public function getInputFilterSpecification()
{
return [...];
}
protected function getValueOptions()
{
...
return $valueOptions;
}
}
MyFooServerFieldset
namespace My\Form\Fieldset;
use Zend\Form\Fieldset;
class MyFooServerFieldset extends AbstractMyFieldset
{
public function init()
{
parent::init();
$this->get('my_field')->setType('radio'); // There is not method Element#setType(...)! How to do this?
$this->get('my_field')->setAttribute('required', 'required'); // But this works.
}
}
我想为元素设置 type
和一些其他配置,例如type
和 required
属性。设置属性好像还行,至少我可以设置required
属性。但我无法设置类型 - Element#setType(...)
不存在。
如何设置 Zend\Form\Element
的 type
,在 add
ed 之后?
无法设置元素的类型,因为每个元素都有自己的类型和元素 class 定义。在您的 AbstractMyFieldset
中,查看 init()
中的 "Type" 键。您告诉表单添加 MultiCheckbox
元素 class 并希望将 class 更改为另一个元素。因此,您需要删除默认值并将其属性和选项复制到新添加的 Zend Form 元素。
另一种选择是使用基础 Zend\Form\Element
class 您可以覆盖属性并设置类型属性。 ->setAttribute('type', 'my_type')
但你错过了默认 Zend2 形式的所有好处 classes。特别是作为 Zend\Form\Element\Radio
或 Zend\Form\Element\MultiCheckbox
.
InArray
验证器
或者您应该只考虑为两个字段集创建一个 abstractFieldSet 并定义它们如何获取其值选项并重用它。喜欢:
abstract class AbstractFieldSet extends Fieldset {
public function addMyField($isRadio = false)
{
$this->add([
'type' => $isRadio ? 'radio' : 'multi_checkbox',
'name' => 'my_field',
'options' => [
'value_options' => $this->getValueOptions()
]
]);
}
protected function getValueOptions()
{
// ..
return $valueOptions
}
}
class fieldSet1 extends AbstractFieldSet {
public function init()
{
$this->addMyField(false);
}
}
class fieldSet2 extends AbstractFieldSet {
public function init()
{
$this->addMyField(true);
}
}