How to customize form field based on user roles in Symfony2/3? How to customize form field based on user roles in Symfony2/3? symfony symfony

How to customize form field based on user roles in Symfony2/3?


You can do it in your form.

Make a service for your form

app.form.type.task:    class: AppBundle\Form\FormType    arguments: ["@security.authorization_checker"]    tags:        - { name: form.type }

In your FormType, add a constructor to get your service.

private $authorization;public function __construct(AuthorizationChecker $authorizationChecker){    $this->authorization = $authorizationChecker;}

Then, in your builder, you will be able to check user permission

$builder->add('foo');if($this->authorization->isGranted('ROLE_ADMIN')){   $builder->add('bar');}

And then, finally, you can render your form

{% if form.formbar is defined %}    {{ form_row(form.formbar ) }}{% endif %}

Please note that it mean that your field may be null. Because maybe you want to see some of them visible by some users and others not.

Else, you can set a default value in your entity construct method, to make sure value won't be null if user don't/can't fill it.


You could use an option passed to the form builder to say what elements are generated.
This way you can change the content and validation that gets done (using validation_groups).
For example, your controller (assuming roles is an array);
you controller;

$form = $this->createForm(new MyType(), $user, ['role' => $this->getUser()->getRoles()]);

And your form:

<?php namespace AppBundle\Form\Entity;use AppBundle\Entity\UserRepository;use Symfony\Component\Form\AbstractType,    Symfony\Component\Form\FormBuilderInterface,    Symfony\Component\OptionsResolver\OptionsResolver;class MyType extends AbstractType {    /**     * @param OptionsResolver $resolver     */    public function configureOptions(OptionsResolver $resolver)    {        $resolver->setDefaults(array(            'data_class' => 'AppBundle\Entity\User',            'validation_groups' => ['create'],            'role' => ['ROLE_USER']        ));    }    /**     * @param FormBuilderInterface $builder     * @param array $options     */    public function buildForm(FormBuilderInterface $builder, array $options)    {        // dump($options['roles']);        if (in_array('ROLE_ADMIN', $options['role'])) {            // do as you want if admin            $builder                ->add('name', 'text');        } else {            $builder                ->add('supername', 'text');        }    }    /**     * @return string     */    public function getName()    {        return 'appbundle_my_form';    }}