How to Dynamically Modify Forms Using Form Events

Oftentimes, a form can't be created statically. In this article, you'll learn how to customize your form based on three common use-cases:

多くの場合、フォームを静的に作成することはできません。この記事では、次の 3 つの一般的なユース ケースに基づいてフォームをカスタマイズする方法を学習します。
  1. Customizing your Form Based on the Underlying Data

    基礎となるデータに基づいてフォームをカスタマイズする

    Example: you have a "Product" form and need to modify/add/remove a field based on the data on the underlying Product being edited.

    例: 「製品」フォームがあり、編集中の基本製品のデータに基づいてフィールドを変更/追加/削除する必要があります。
  2. How to dynamically Generate Forms Based on user Data

    ユーザーデータに基づいてフォームを動的に生成する方法

    Example: you create a "Friend Message" form and need to build a drop-down that contains only users that are friends with the current authenticated user.

    例: 「フレンド メッセージ」フォームを作成し、現在認証されているユーザーとフレンドになっているユーザーのみを含むドロップダウンを作成する必要があるとします。
  3. Dynamic Generation for Submitted Forms

    送信済みフォームの動的生成

    Example: on a registration form, you have a "country" field and a "state" field which should populate dynamically based on the value in the "country" field.

    例: 登録フォームには、「country」フィールドと「state」フィールドがあり、「country」フィールドの値に基づいて動的に入力する必要があります。

If you wish to learn more about the basics behind form events, you can take a look at the Form Events documentation.

フォーム イベントの背後にある基本について詳しく知りたい場合は、フォーム イベントのドキュメントを参照してください。

Customizing your Form Based on the Underlying Data

Before starting with dynamic form generation, remember what a bare form class looks like:

動的フォーム生成を開始する前に、ベア フォーム クラスがどのようなものかを覚えておいてください。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
// src/Form/Type/ProductType.php
namespace App\Form\Type;

use App\Entity\Product;
use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\FormBuilderInterface;
use Symfony\Component\OptionsResolver\OptionsResolver;

class ProductType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options): void
    {
        $builder->add('name');
        $builder->add('price');
    }

    public function configureOptions(OptionsResolver $resolver): void
    {
        $resolver->setDefaults([
            'data_class' => Product::class,
        ]);
    }
}

Note

ノート

If this particular section of code isn't already familiar to you, you probably need to take a step back and first review the Forms article before proceeding.

コードのこの特定のセクションに慣れていない場合は、おそらく、一歩下がってフォームの記事を確認してから先に進む必要があります。

Assume for a moment that this form utilizes an imaginary "Product" class that has only two properties ("name" and "price"). The form generated from this class will look the exact same regardless if a new Product is being created or if an existing product is being edited (e.g. a product fetched from the database).

このフォームが、2 つのプロパティ (「名前」と「価格」) しか持たない架空の「製品」クラスを使用していると仮定します。このクラスから生成されたフォームは、新しい製品が作成されているか、既存の製品が編集されているか (データベースから取得された製品など) に関係なく、まったく同じように見えます。

Suppose now, that you don't want the user to be able to change the name value once the object has been created. To do this, you can rely on Symfony's EventDispatcher component system to analyze the data on the object and modify the form based on the Product object's data. In this article, you'll learn how to add this level of flexibility to your forms.

ここで、オブジェクトが作成された後、ユーザーが名前の値を変更できないようにしたいとします。これを行うには、Symfony の EventDispatcher コンポーネント システムに依存して、オブジェクトのデータを分析し、Product オブジェクトのデータに基づいてフォームを変更します。この記事では、このレベルの柔軟性をフォームに追加する方法を学習します。

Adding an Event Listener to a Form Class

So, instead of directly adding that name widget, the responsibility of creating that particular field is delegated to an event listener:

したがって、その名前ウィジェットを直接追加する代わりに、その特定のフィールドを作成する責任はイベント リスナーに委任されます。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
// src/Form/Type/ProductType.php
namespace App\Form\Type;

// ...
use Symfony\Component\Form\FormEvent;
use Symfony\Component\Form\FormEvents;

class ProductType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options): void
    {
        $builder->add('price');

        $builder->addEventListener(FormEvents::PRE_SET_DATA, function (FormEvent $event) {
            // ... adding the name field if needed
        });
    }

    // ...
}

The goal is to create a name field only if the underlying Product object is new (e.g. hasn't been persisted to the database). Based on that, the event listener might look like the following:

目標は、基礎となる Product オブジェクトが新しい場合 (たとえば、データベースに永続化されていない場合) にのみ名前フィールドを作成することです。それに基づいて、イベント リスナーは次のようになります。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
// ...
public function buildForm(FormBuilderInterface $builder, array $options): void
{
    // ...
    $builder->addEventListener(FormEvents::PRE_SET_DATA, function (FormEvent $event) {
        $product = $event->getData();
        $form = $event->getForm();

        // checks if the Product object is "new"
        // If no data is passed to the form, the data is "null".
        // This should be considered a new "Product"
        if (!$product || null === $product->getId()) {
            $form->add('name', TextType::class);
        }
    });
}

Note

ノート

The FormEvents::PRE_SET_DATA line actually resolves to the string form.pre_set_data. FormEvents serves an organizational purpose. It is a centralized location in which you can find all of the various form events available. You can view the full list of form events via the FormEvents class.

FormEvents::PRE_SET_DATA 行は、実際には stringform.pre_set_data に解決されます。 FormEvents は組織的な目的を果たします。これは、使用可能なさまざまなフォーム イベントのすべてを見つけることができる中心的な場所です。 FormEvents クラスを介して、フォーム イベントの完全なリストを表示できます。

Adding an Event Subscriber to a Form Class

For better reusability or if there is some heavy logic in your event listener, you can also move the logic for creating the name field to an event subscriber:

再利用性を高めるため、またはイベント リスナーに複雑なロジックがある場合は、名前フィールドを作成するロジックをイベント サブスクライバーに移動することもできます。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
// src/Form/EventListener/AddNameFieldSubscriber.php
namespace App\Form\EventListener;

use Symfony\Component\EventDispatcher\EventSubscriberInterface;
use Symfony\Component\Form\Extension\Core\Type\TextType;
use Symfony\Component\Form\FormEvent;
use Symfony\Component\Form\FormEvents;

class AddNameFieldSubscriber implements EventSubscriberInterface
{
    public static function getSubscribedEvents(): array
    {
        // Tells the dispatcher that you want to listen on the form.pre_set_data
        // event and that the preSetData method should be called.
        return [FormEvents::PRE_SET_DATA => 'preSetData'];
    }

    public function preSetData(FormEvent $event): void
    {
        $product = $event->getData();
        $form = $event->getForm();

        if (!$product || null === $product->getId()) {
            $form->add('name', TextType::class);
        }
    }
}

Great! Now use that in your form class:

すごい!これをフォーム クラスで使用します。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
// src/Form/Type/ProductType.php
namespace App\Form\Type;

// ...
use App\Form\EventListener\AddNameFieldSubscriber;

class ProductType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options): void
    {
        $builder->add('price');

        $builder->addEventSubscriber(new AddNameFieldSubscriber());
    }

    // ...
}

How to dynamically Generate Forms Based on user Data

Sometimes you want a form to be generated dynamically based not only on data from the form but also on something else - like some data from the current user. Suppose you have a social website where a user can only message people marked as friends on the website. In this case, a "choice list" of whom to message should only contain users that are the current user's friends.

フォームからのデータだけでなく、他の何か (現在のユーザーからのデータなど) に基づいてフォームを動的に生成したい場合もあります。ユーザーが Web サイトで友人としてマークされた人にのみメッセージを送信できるソーシャル Web サイトがあるとします。この場合、メッセージの送信先の「選択リスト」には、現在のユーザーの友達であるユーザーのみを含める必要があります。

Creating the Form Type

Using an event listener, your form might look like this:

イベント リスナーを使用すると、フォームは次のようになります。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
// src/Form/Type/FriendMessageFormType.php
namespace App\Form\Type;

use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\Extension\Core\Type\TextareaType;
use Symfony\Component\Form\Extension\Core\Type\TextType;
use Symfony\Component\Form\FormBuilderInterface;
use Symfony\Component\Form\FormEvent;
use Symfony\Component\Form\FormEvents;

class FriendMessageFormType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options): void
    {
        $builder
            ->add('subject', TextType::class)
            ->add('body', TextareaType::class)
        ;
        $builder->addEventListener(FormEvents::PRE_SET_DATA, function (FormEvent $event) {
            // ... add a choice list of friends of the current application user
        });
    }
}

The problem is now to get the current user and create a choice field that contains only this user's friends. This can be done by injecting the Security service into the form type so you can get the current user object:

問題は、現在のユーザーを取得し、このユーザーの友達だけを含む選択フィールドを作成することです。これは、現在のユーザー オブジェクトを取得できるように、Securityservice をフォーム タイプに挿入することで実行できます。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
use Symfony\Bundle\SecurityBundle\Security;
// ...

class FriendMessageFormType extends AbstractType
{
    private $security;

    public function __construct(Security $security)
    {
        $this->security = $security;
    }

    // ....
}

Customizing the Form Type

Now that you have all the basics in place you can use the features of the security helper to fill in the listener logic:

これですべての基本が整ったので、セキュリティ ヘルパーの機能を使用してリスナー ロジックを埋めることができます。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
// src/Form/Type/FriendMessageFormType.php
namespace App\Form\Type;

use App\Entity\User;
use Doctrine\ORM\EntityRepository;
use Symfony\Bridge\Doctrine\Form\Type\EntityType;
use Symfony\Bundle\SecurityBundle\Security;
use Symfony\Component\Form\Extension\Core\Type\TextareaType;
use Symfony\Component\Form\Extension\Core\Type\TextType;
// ...

class FriendMessageFormType extends AbstractType
{
    private $security;

    public function __construct(Security $security)
    {
        $this->security = $security;
    }

    public function buildForm(FormBuilderInterface $builder, array $options): void
    {
        $builder
            ->add('subject', TextType::class)
            ->add('body', TextareaType::class)
        ;

        // grab the user, do a quick sanity check that one exists
        $user = $this->security->getUser();
        if (!$user) {
            throw new \LogicException(
                'The FriendMessageFormType cannot be used without an authenticated user!'
            );
        }

        $builder->addEventListener(FormEvents::PRE_SET_DATA, function (FormEvent $event) use ($user) {
            if (null !== $event->getData()->getFriend()) {
                // we don't need to add the friend field because
                // the message will be addressed to a fixed friend
                return;
            }

            $form = $event->getForm();

            $formOptions = [
                'class' => User::class,
                'choice_label' => 'fullName',
                'query_builder' => function (UserRepository $userRepository) use ($user) {
                    // call a method on your repository that returns the query builder
                    // return $userRepository->createFriendsQueryBuilder($user);
                },
            ];

            // create the field, this is similar the $builder->add()
            // field name, field type, field options
            $form->add('friend', EntityType::class, $formOptions);
        });
    }

    // ...
}

Note

ノート

You might wonder, now that you have access to the User object, why not just use it directly in buildForm() and omit the event listener? This is because doing so in the buildForm() method would result in the whole form type being modified and not just this one form instance. This may not usually be a problem, but technically a single form type could be used on a single request to create many forms or fields.

User オブジェクトにアクセスできるようになったので、それを buildForm() で直接使用して、イベント リスナーを省略しないのはなぜでしょうか?これは、buildForm() メソッドでこれを行うと、この 1 つのフォーム インスタンスだけでなく、フォーム タイプ全体が変更されるためです。これは通常問題になることはありませんが、技術的には、1 つのフォーム タイプを 1 つの要求で使用して、多くのフォームまたはフィールドを作成することができます。

Using the Form

If you're using the default services.yaml configuration, your form is ready to be used thanks to autowire and autoconfigure. Otherwise, register the form class as a service and tag it with the form.type tag.

デフォルトの services.yaml 構成を使用している場合は、autowire と autoconfigure のおかげでフォームを使用する準備ができています。それ以外の場合は、フォーム クラスをサービスとして登録し、form.type タグでタグ付けします。

In a controller, create the form like normal:

コントローラーで、通常のようにフォームを作成します。
1
2
3
4
5
6
7
8
9
10
11
12
13
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\Response;

class FriendMessageController extends AbstractController
{
    public function new(Request $request): Response
    {
        $form = $this->createForm(FriendMessageFormType::class);

        // ...
    }
}

You can also embed the form type into another form:

フォーム タイプを別のフォームに埋め込むこともできます。
1
2
3
4
5
// inside some other "form type" class
public function buildForm(FormBuilderInterface $builder, array $options): void
{
    $builder->add('message', FriendMessageFormType::class);
}

Dynamic Generation for Submitted Forms

Another case that can appear is that you want to customize the form specific to the data that was submitted by the user. For example, imagine you have a registration form for sports gatherings. Some events will allow you to specify your preferred position on the field. This would be a choice field for example. However, the possible choices will depend on each sport. Football will have attack, defense, goalkeeper etc... Baseball will have a pitcher but will not have a goalkeeper. You will need the correct options in order for validation to pass.

表示される可能性のある別のケースは、ユーザーが送信したデータに固有のフォームをカスタマイズする場合です。たとえば、スポーツ集会の登録フォームがあるとします。一部のイベントでは、フィールドでの優先順位を指定できます。これは、たとえば選択フィールドです。ただし、可能な選択肢は各スポーツによって異なります。サッカーには攻撃、防御、ゴールキーパーなどがあります。野球にはピッチャーがいますが、ゴールキーパーはいません。検証に合格するには、正しいオプションが必要です。

The meetup is passed as an entity field to the form. So we can access each sport like this:

ミートアップはエンティティ フィールドとしてフォームに渡されます。したがって、次のように eachsport にアクセスできます。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
// src/Form/Type/SportMeetupType.php
namespace App\Form\Type;

use App\Entity\Position;
use App\Entity\Sport;
use Symfony\Bridge\Doctrine\Form\Type\EntityType;
use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\FormBuilderInterface;
use Symfony\Component\Form\FormEvent;
use Symfony\Component\Form\FormEvents;
// ...

class SportMeetupType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options): void
    {
        $builder
            ->add('sport', EntityType::class, [
                'class' => Sport::class,
                'placeholder' => '',
            ])
        ;

        $builder->addEventListener(
            FormEvents::PRE_SET_DATA,
            function (FormEvent $event) {
                $form = $event->getForm();

                // this would be your entity, i.e. SportMeetup
                $data = $event->getData();

                $sport = $data->getSport();
                $positions = null === $sport ? [] : $sport->getAvailablePositions();

                $form->add('position', EntityType::class, [
                    'class' => Position::class,
                    'placeholder' => '',
                    'choices' => $positions,
                ]);
            }
        );
    }

    // ...
}

When you're building this form to display to the user for the first time, then this example works perfectly.

このフォームを作成して初めてユーザーに表示する場合、この例は完全に機能します。

However, things get more difficult when you handle the form submission. This is because the PRE_SET_DATA event tells us the data that you're starting with (e.g. an empty SportMeetup object), not the submitted data.

ただし、フォームの送信を処理すると、事態はさらに難しくなります。これは、PRE_SET_DATA イベントが、送信されたデータではなく、開始するデータ (空の SportMeetup オブジェクトなど) を通知するためです。

On a form, we can usually listen to the following events:

フォームでは、通常、次のイベントをリッスンできます。
  • PRE_SET_DATA
    PRE_SET_DATA
  • POST_SET_DATA
    POST_SET_DATA
  • PRE_SUBMIT
    PRE_SUBMIT
  • SUBMIT
    参加する
  • POST_SUBMIT
    POST_SUBMIT

The key is to add a POST_SUBMIT listener to the field that your new field depends on. If you add a POST_SUBMIT listener to a form child (e.g. sport), and add new children to the parent form, the Form component will detect the new field automatically and map it to the submitted client data.

重要なのは、新しいフィールドが依存するフィールドに POST_SUBMIT リスナーを追加することです。 POST_SUBMIT リスナーをフォームの子 (スポーツなど) に追加し、新しい子を親フォームに追加すると、フォーム コンポーネントは新しいフィールドを自動的に検出し、送信されたクライアント データにマップします。

The type would now look like:

タイプは次のようになります。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
// src/Form/Type/SportMeetupType.php
namespace App\Form\Type;

use App\Entity\Position;
use App\Entity\Sport;
use Symfony\Bridge\Doctrine\Form\Type\EntityType;
use Symfony\Component\Form\FormInterface;
// ...

class SportMeetupType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options): void
    {
        $builder
            ->add('sport', EntityType::class, [
                'class' => Sport::class,
                'placeholder' => '',
            ])
        ;

        $formModifier = function (FormInterface $form, Sport $sport = null) {
            $positions = null === $sport ? [] : $sport->getAvailablePositions();

            $form->add('position', EntityType::class, [
                'class' => Position::class,
                'placeholder' => '',
                'choices' => $positions,
            ]);
        };

        $builder->addEventListener(
            FormEvents::PRE_SET_DATA,
            function (FormEvent $event) use ($formModifier) {
                // this would be your entity, i.e. SportMeetup
                $data = $event->getData();

                $formModifier($event->getForm(), $data->getSport());
            }
        );

        $builder->get('sport')->addEventListener(
            FormEvents::POST_SUBMIT,
            function (FormEvent $event) use ($formModifier) {
                // It's important here to fetch $event->getForm()->getData(), as
                // $event->getData() will get you the client data (that is, the ID)
                $sport = $event->getForm()->getData();

                // since we've added the listener to the child, we'll have to pass on
                // the parent to the callback function!
                $formModifier($event->getForm()->getParent(), $sport);
            }
        );
    }

    // ...
}

You can see that you need to listen on these two events and have different callbacks only because in two different scenarios, the data that you can use is available in different events. Other than that, the listeners always perform exactly the same things on a given form.

2 つの異なるシナリオでは、使用できるデータが異なるイベントで使用できるため、これら 2 つのイベントをリッスンし、異なるコールバックを持つ必要があることがわかります。それ以外は、リスナーは常に特定のフォームでまったく同じことを実行します。

Tip

ヒント

The FormEvents::POST_SUBMIT event does not allow modifications to the form the listener is bound to, but it allows modifications to its parent.

FormEvents::POST_SUBMIT イベントでは、リスナーがバインドされているフォームへの変更は許可されませんが、親への変更は許可されます。

One piece that is still missing is the client-side updating of your form after the sport is selected. This should be handled by making an AJAX callback to your application. Assume that you have a sport meetup creation controller:

まだ欠けている部分の 1 つは、スポーツが選択された後にフォームをクライアント側で更新することです。これは、アプリケーションへの AJAX コールバックを作成することによって処理する必要があります。スポーツ ミートアップ作成コントローラーがあるとします。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
// src/Controller/MeetupController.php
namespace App\Controller;

use App\Entity\SportMeetup;
use App\Form\Type\SportMeetupType;
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\Response;
// ...

class MeetupController extends AbstractController
{
    public function create(Request $request): Response
    {
        $meetup = new SportMeetup();
        $form = $this->createForm(SportMeetupType::class, $meetup);
        $form->handleRequest($request);
        if ($form->isSubmitted() && $form->isValid()) {
            // ... save the meetup, redirect etc.
        }

        return $this->renderForm('meetup/create.html.twig', [
            'form' => $form,
        ]);
    }

    // ...
}

The associated template uses some JavaScript to update the position form field according to the current selection in the sport field:

関連するテンプレートは、JavaScript を使用して、スポーツ フィールドでの現在の選択に従って位置フォーム フィールドを更新します。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
{# templates/meetup/create.html.twig #}
{{ form_start(form) }}
    {{ form_row(form.sport) }}    {# <select id="meetup_sport" ... #}
    {{ form_row(form.position) }} {# <select id="meetup_position" ... #}
    {# ... #}
{{ form_end(form) }}

<script>
var $sport = $('#meetup_sport');
// When sport gets selected ...
$sport.change(function() {
  // ... retrieve the corresponding form.
  var $form = $(this).closest('form');
  // Simulate form data, but only include the selected sport value.
  var data = {};
  data[$sport.attr('name')] = $sport.val();
  // Submit data via AJAX to the form's action path.
  $.ajax({
    url : $form.attr('action'),
    type: $form.attr('method'),
    data : data,
    complete: function(html) {
      // Replace current position field ...
      $('#meetup_position').replaceWith(
        // ... with the returned one from the AJAX response.
        $(html.responseText).find('#meetup_position')
      );
      // Position field now displays the appropriate positions.
    }
  });
});
</script>

The major benefit of submitting the whole form to just extract the updated position field is that no additional server-side code is needed; all the code from above to generate the submitted form can be reused.

フォーム全体を送信して updatedposition フィールドを抽出することの主な利点は、追加のサーバー側コードが必要ないことです。送信されたフォームを生成するための上記のコードはすべて再利用できます。