我有一个名为Book
的实体表单,我有一个类型可以在我的视图中显示表单。在这种类型中,我有一些字段映射到我的实体中的属性。
现在我想添加另一个未在我的实体中映射的字段,并在表单创建过程中为该字段提供一些初始数据。
我的类型看起来像这样
// BookBundle\Type\Book
public function buildForm(FormBuilderInterface $builder, array $options = null)
{
$builder->add('title');
$builder->add('another_field', null, array(
'mapped' => false
));
}
表单就是这样创建的
$book = $repository->find(1);
$form = $this->createForm(new BookType(), $book);
如何在表单创建过程中提供一些初始数据?或者,我如何更改表单创建以将初始数据添加到another_field
字段?
答案 0 :(得分:29)
我还有一个表单,其中的字段大多与之前定义的实体匹配,但其中一个表单字段已将map设置为false。
要在控制器中解决这个问题,你可以很容易地给它一些初始数据:
$product = new Product(); // or load with Doctrine/Propel
$initialData = "John Doe, this field is not actually mapped to Product";
$form = $this->createForm(new ProductType(), $product);
$form->get('nonMappedField')->setData($initialData);
这很简单。然后,当您处理表单数据以准备保存它时,您可以使用以下命令访问非映射数据:
$form->get('nonMappedField')->getData();
答案 1 :(得分:6)
一个建议可能是在BookType上添加一个包含“another_field”数据的构造函数参数(或setter),并在add参数中设置'data'参数:
class BookType
{
private $anotherFieldValue;
public function __construct($anotherFieldValue)
{
$this->anotherFieldValue = $anotherFieldValue;
}
public function buildForm(FormBuilderInterface $builder, array $options = null)
{
$builder->add('another_field', 'hidden', array(
'property_path' => false,
'data' => $this->anotherFieldValue
));
}
}
然后构建:
$this->createForm(new BookType('blahblah'), $book);
答案 2 :(得分:2)
您可以像这样更改请求参数以支持包含其他数据的表单:
$type = new BookType();
$data = $this->getRequest()->request->get($type->getName());
$data = array_merge($data, array(
'additional_field' => 'value'
));
$this->getRequest()->request->set($type->getName(), $data);
这样,您的表单将在渲染时为您的字段填写正确的值。如果您想提供许多字段,这可能是一个选项。