我在Zend Framework 2项目中使用Doctrine 2。我现在已经创建了一个Form,并使用数据库中的值创建了一个Dropdown。我现在的问题是我想要更改使用的值,而不是我从存储库中返回的值。好的,这里有一些代码可以更好地理解:
$this->add(
array(
'type' => 'DoctrineModule\Form\Element\ObjectSelect',
'name' => 'county',
'options' => array(
'object_manager' => $this->getObjectManager(),
'label' => 'County',
'target_class' => 'Advert\Entity\Geolocation',
'property' => 'county',
'is_method' => true,
'empty_option' => '--- select county ---',
'value_options'=> function($targetEntity) {
$values = array($targetEntity->getCounty() => $targetEntity->getCounty());
return $values;
},
'find_method' => array(
'name' => 'getCounties',
),
),
'allow_empty' => true,
'required' => false,
'attributes' => array(
'id' => 'county',
'multiple' => false,
)
)
);
我想将Select的值设置为County Name而不是ID。我以为我需要' value_options'这需要一个数组。我尝试过如上所述,但得到了
错误消息:参数1传递给Zend \ Form \ Element \ Select :: setValueOptions()必须是数组类型,给定对象
这有可能吗?
答案 0 :(得分:3)
我打算建议修改你的代码,虽然在检查了ObjectSelect
代码之后我很惊讶(据我所知),如果不扩展课程,这实际上是不可能的。这是因为the value is always generated from the id。
我使用工厂(没有ObjectSelect
)创建所有表单元素,尤其是需要不同列表的复杂表单元素。
替代解决方案
首先在Repository中创建一个返回正确数组的新方法。这将允许您在其他任何地方(不仅仅是表单!)中重复使用相同的方法。
class FooRepository extends Repository
{
public function getCounties()
{
// normal method unchanged, returns a collection
// of counties
}
public function getCountiesAsArrayKeyedByCountyName()
{
$counties = array();
foreach($this->getCounties() as $county) {
$counties[$county->getName()] = $county->getName();
}
return $counties;
}
}
接下来创建一个自定义选择工厂,为您设置值选项。
namespace MyModule\Form\Element;
use Zend\Form\Element\Select;
use Zend\ServiceManager\ServiceLocatorInterface;
use Zend\ServiceManager\FactoryInterface;
class CountiesByNameSelectFactory implements FactoryInterface
{
public function createService(ServiceLocatorInterface $formElementManager)
{
$element = new Select;
$element->setValueOptions($this->loadValueOptions($formElementManager));
// set other select options etc
$element->setName('foo')
->setOptions(array('foo' => 'bar'));
return $element;
}
protected function loadValueOptions(ServiceLocatorInterface $formElementManager)
{
$serviceManager = $formElementManager->getServiceLocator();
$repository = $serviceManager->get('DoctrineObjectManager')->getRepository('Foo/Entity/Bar');
return $repository->getCountiesAsArrayKeyedByCountyName();
}
}
通过在Module.php
或module.config.php
中添加新条目,向服务管理器注册新元素。
// Module.php
public function getFormElementConfig()
{
return array(
'factories' => array(
'MyModule\Form\Element\CountiesByNameSelect'
=> 'MyModule\Form\Element\CountiesByNameSelectFactory',
),
);
}
最后更改表单并删除当前的select元素并添加新元素(使用您在服务管理器中注册的名称作为类型键)
$this->add(array(
'name' => 'counties',
'type' => 'MyModule\Form\Element\CountiesByNameSelect',
));
看起来似乎有更多的代码(因为它),但是你会从中获得更清晰的关注点分离,现在你可以在多个表单上重用元素,只需要在一个地方配置它。