3

我正在学习使用 Symfony2,在我阅读的文档中,与 Symfony 表单一起使用的所有实体都有空的构造函数,或者根本没有。(例子)

http://symfony.com/doc/current/book/index.html第 12 章
http://symfony.com/doc/current/cookbook/doctrine/registration_form.html

我对构造函数进行了参数化,以便在创建时需要某些信息。似乎 Symfony 的方法是将强制执行留给验证过程,本质上依赖元数据断言和数据库约束来确保对象被正确初始化,放弃构造函数约束来确保状态。

考虑:

Class Employee {
    private $id;
    private $first;
    private $last;

    public function __construct($first, $last)
    {  ....   }
}

...
class DefaultController extends Controller
{
    public function newAction(Request $request)
    {
        $employee = new Employee();  // Obviously not going to work, KABOOM!

        $form = $this->createFormBuilder($employee)
            ->add('last', 'text')
            ->add('first', 'text')
            ->add('save', 'submit')
            ->getForm();

        return $this->render('AcmeTaskBundle:Default:new.html.twig', array(
            'form' => $form->createView(),
        ));
    }
}

我不应该使用构造函数参数来做到这一点吗?

谢谢

编辑: 在下面回答

4

1 回答 1

6

找到了解决方案:

查看控制器“createForm()”方法的 API,我发现了一些从示例中不明显的东西。似乎第二个参数不一定是对象:

**Parameters**
    string|FormTypeInterface     $type  The built type of the form
    mixed                        $data  The initial data for the form
    array                        $options   Options for the form 

因此,您可以简单地传入具有适当字段值的数组,而不是传入实体的实例:

$data = array(
    'first' => 'John',
    'last' => 'Doe',
);
$form = $this->createFormBuilder($data)
    ->add('first','text')
    ->add('last', 'text')
    ->getForm();

另一种选择(可能更好)是在表单类中创建一个空数据集作为默认选项。这里这里的解释

class EmployeeType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $builder->add('first');
        $builder->add('last');
    }

    public function setDefaultOptions(OptionsResolverInterface $resolver)
    {
        $resolver->setDefaults(array(
            'empty_data' => new Employee('John', 'Doe'),
        ));
    }
    //......
}

class EmployeeFormController extends Controller
{
    public function newAction(Request $request)
    {
        $form = $this->createForm(new EmployeeType());
    }
    //.........
}

希望这可以避免其他人挠头。

于 2013-07-05T22:40:24.033 回答