简体   繁体   English

Symfony 2嵌入式表单集合多对多

[英]Symfony 2 Embedded Form Collection Many to Many

I have 2 Entities - User and Group. 我有2个实体 - 用户和组。 They have a many-to-many relationship and Group is used to store a users' roles. 它们具有多对多关系,Group用于存储用户角色。

I'm trying to make a User edit form by adding a collection, I want to be able to add a new role by selecting it from a dropdown (limited to what's already in the DB) 我正在尝试通过添加集合来创建用户编辑表单,我希望能够通过从下拉列表中选择它来添加新角色(仅限于数据库中已有的内容)

UserType.php: UserType.php:

class UserType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $builder
            ->add('username')
            ->add('email')
            ->add('forename')
            ->add('surname')
            ->add('isActive')
            ->add('joinDate', 'date', array('input' => 'datetime', 'format' => 'dd-MM-yyyy'))
            ->add('lastActive', 'date', array('input' => 'datetime', 'format' => 'dd-MM-yyyy'))
            ->add('groups', 'collection', array(
                    'type' => new GroupType(),
                    'allow_add' => true,
                    ))
        ;
    }

    public function setDefaultOptions(OptionsResolverInterface $resolver)
    {
        $resolver->setDefaults(array(
            'data_class' => 'Sfox\CoreBundle\Entity\User'
        ));
    }
}

and GroupType.php: 和GroupType.php:

class GroupType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $builder
            ->add('name')
            ->add('role');
    }

    public function setDefaultOptions(OptionsResolverInterface $resolver)
    {
        $resolver->setDefaults(array(
                "data_class" => 'Sfox\CoreBundle\Entity\Group'
                ));
    }
}

This displays the roles in the form in basic text boxes, but if I add an entry to the form, it will cascade persist a new entry into Groups and if I were to edit an entry, it would change the underlying Group data. 这将在基本文本框中显示表单中的角色,但是如果我向表单添加条目,它将级联持久保存新的条目到组中,如果我要编辑条目,它将更改基础组数据。

I tried making a GroupSelectType.php: 我尝试制作GroupSelectType.php:

class GroupSelectType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $builder
            ->add('role', 'entity', array('class'=>'SfoxCoreBundle:Group', 'property'=>'name'));
    }

    public function setDefaultOptions(OptionsResolverInterface $resolver)
    {
        $resolver->setDefaults(array(
                "data_class" => 'Sfox\CoreBundle\Entity\Group'
                ));
    }
}

Adding the field as an "entity" type, this displays the correct select box (but with the default values) I cant seem to bind it to the UserType form! 将字段添加为“实体”类型,这将显示正确的选择框(但使用默认值)我似乎无法将其绑定到UserType表单!

All I want the form to do is modify the underlying 'groups' ArrayCollection in the User entity. 我想要的表单就是修改User实体中的底层'groups'ArrayCollection。

Does anyone know how I can achieve this? 有谁知道我怎么能做到这一点?

Well I worked out a solution for anyone else struggling with similar problems... 那么我为其他遇到类似问题的人找到了解决方案......

I had to create a custom form type and declare it as a service so I could pass in the Entity Manager. 我必须创建一个自定义表单类型并将其声明为服务,以便我可以传入实体管理器。 I then needed to make a dataTransformer to change my group objects into an integer for the form 然后我需要创建一个dataTransformer来将我的组对象更改为表单的整数

Custom GroupSelectType: 自定义GroupSelectType:

class GroupSelectType extends AbstractType

{
    /**
     * @var ObjectManager
     */
    private $om;

    private $choices;

    /**
     * @param ObjectManager $om
     */
    public function __construct(ObjectManager $om)
    {
        $this->om = $om;

        // Build our choices array from the database
        $groups = $om->getRepository('SfoxCoreBundle:Group')->findAll();
        foreach ($groups as $group)
        {
            // choices[key] = label
            $this->choices[$group->getId()] = $group->getName() . " [". $group->getRole() ."]";
        }
    }

    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $transformer = new GroupToNumberTransformer($this->om);
        $builder->addModelTransformer($transformer);
    }

    public function setDefaultOptions(OptionsResolverInterface $resolver)
    {
        $resolver->setDefaults(array(
                "choices" => $this->choices,
                ));
    }

    public function getParent()
    {
        return 'choice';
    }

    public function getName()
    {
        return 'group_select';
    }
}

In the constructor I'm getting all available groups and putting them into a "choices" array which is passed to the select box as an option. 在构造函数中,我获取所有可用的组并将它们放入“选择”数组中,该数组作为选项传递给选择框。

You'll also notice I'm using a custom data transformer, this is to change the groupId (which is used in the rendering of the form) to a Group entity. 您还会注意到我正在使用自定义数据转换器,这是将groupId(用于表单的呈现)更改为Group实体。 I made the GroupSelectType a service as well and passed in the [@doctrine.orm.entity_manager] 我也将GroupSelectType作为服务并传入[@ doctrine.orm.entity_manager]

services.yml (bundle config): services.yml(bundle config):

services:
    sfox_core.type.group_select:
        class: Sfox\CoreBundle\Form\Type\GroupSelectType
        arguments: [@doctrine.orm.entity_manager]
        tags:
          - { name: form.type, alias: group_select }

GroupToNumberTranformer.php GroupToNumberTranformer.php

class GroupToNumberTransformer implements DataTransformerInterface
{
    /**
     * @var ObjectManager
     */
    private $om;

    /**
     * @param ObjectManager $om
     */
    public function __construct(ObjectManager $om)
    {
        $this->om = $om;
    }

    /**
     * Transforms an object (group) to a string (number).
     *
     * @param  Group|null $group
     * @return string
     */
    public function transform($group)
    {
        if (null === $group) {
            return "";
        }

        return $group->getId();
    }

    /**
     * Transforms a string (number) to an object (group).
     *
     * @param  string $number
     * @return Group|null
     * @throws TransformationFailedException if object (group) is not found.
     */
    public function reverseTransform($number)
    {
        if (!$number) {
            return null;
        }

        $group = $this->om
        ->getRepository('SfoxCoreBundle:Group')
        ->findOneBy(array('id' => $number))
        ;

        if (null === $group) {
            throw new TransformationFailedException(sprintf(
                    'Group with ID "%s" does not exist!',
                    $number
            ));
        }

        return $group;
    }
}

And my modified UserType.php - Notice I'm using my custom form type "group_select" now as it's running as a service: 我修改了UserType.php - 注意我现在正在使用我的自定义表单类型“group_select”,因为它作为服务运行:

class UserType extends AbstractType
{
    private $entityManager;

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

    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $transformer = new GroupToNumberTransformer($this->entityManager);

        $builder
            ->add('username')
            ->add('email')
            ->add('forename')
            ->add('surname')
            ->add('isActive')
            ->add('joinDate', 'date', array('input' => 'datetime', 'format' => 'dd-MM-yyyy'))
            ->add('lastActive', 'date', array('input' => 'datetime', 'format' => 'dd-MM-yyyy'));
        $builder
            ->add(
                $builder->create('groups', 'collection', array(
                    'type' => 'group_select',
                    'allow_add' => true,
                    'options' => array(
                            'multiple' => false,
                            'expanded' => false,
                            )
                    ))
        );
    }

    public function setDefaultOptions(OptionsResolverInterface $resolver)
    {
        $resolver->setDefaults(array(
            'data_class' => 'Sfox\CoreBundle\Entity\User'
        ));
    }

    public function getName()
    {
        return 'sfox_corebundle_usertype';
    }
}

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM