Symfony4表单 - 如何有条件地禁用表单字段?

时间:2018-05-20 15:02:37

标签: forms symfony4

那么,根据实体的属性值,有条件地禁用字段,使表单有效地一次又一次地渲染表单的最佳方法是什么?

我有一个发票实体,需要一张表格来创建发票,还需要在发票流程的各个阶段(生成,发送,付款等)禁用各种字段的相同表单。

我认为最简单的答案是通过form_row选项在twig模板中动态禁用它们,但这肯定会影响表单的服务器端验证,因为它不知道该字段已被禁用?

根据数据库中的值取消字段的最佳方法是什么?

编辑1:

将问题从Dynamically disable a field in the twig template or seperate class for each form?更改为Symfony4 Forms - How do you conditionally disable a form field?

1 个答案:

答案 0 :(得分:2)

感谢@Cerad。答案实际上是Form Events

在表单类型(我为App\Form\InvoicesType)中,将方法调用添加到构建器的末尾:

public function buildForm(FormBuilderInterface $builder, array $options)
{

    $plus_thirty_days = new \DateTime('+28 days');

    $builder
        ->add('client', EntityType::class, array(
            'class' => Clients::class,
            'choice_label' => 'name',
            'disabled' => false,
        ) )
        // the event that will handle the conditional field
        ->addEventListener(
            FormEvents::PRE_SET_DATA,
            array($this, 'onPreSetData')
        );;
}

然后在同一个类中,创建一个名为与数组中的字符串相同的公共方法(本例中为onPreSetData):

public function onPreSetData(FormEvent $event)
{

    // get the form
    $form = $event->getForm();

    // get the data if 'reviewing' the information
    /**
     * @var Invoices
     */
    $data = $event->getData();


    // disable field if it has been populated with a client already
    if ( $data->getClient() instanceof Clients )
        $form->add('client', EntityType::class, array(
            'class' => Clients::class,
            'choice_label' => 'name',
            'disabled' => true,
        ) );

}

从此处您可以将字段更新为任何有效FormType并指定任何有效选项,就像在From Builder中使用普通表单元素一样,它将替换前一个,将其置于相同的原始位置在形式。