我有一个与角色实体有多对多关系的Doctrine用户实体。我还有一个表单,根据用户实体字段显示其中的用户详细信息。我正在使用表单构建器在我的控制器中以正常方式设置表单,并传入从数据库加载的实体实例。一切正常。
现在,我想要的是这种形式的选择菜单,其中包含用户被指定选择的角色,并从数据库中的可用角色填充。我在UserType
表单中创建了一个名为roles
的字段,该字段具有“集合”类型并在RoleType
表单实例中传递。在我的RoleType
表单中,我添加了一个类型为entity
的字段并定义了我的角色类等。这些都是根据文档编写的。这一切都运行正常,它加载了填充了角色的选择菜单,但它没有选择针对用户实体保存的正确角色。
当我浏览'roles'的表单值(或在我的角色实体字段上设置数据转换器)时,我得到的值是一个字符串,其中包含用户与之关联的角色的名称。我没有获得Role实例或Collection / Array。此外,如果我将角色实体字段设置为multiple = true
,我会从教义数据转换器中得到Expected a Doctrine\Common\Collections\Collection object.
错误。同样,这是因为它期待一个集合并获得一个字符串。
这可能与我的用户实体的水合方式有关吗?我正在使用$repository->findOneBy(array('id' => $id))
;
这是我正在做的简化版本:
用户类
class User implements AdvancedUserInterface, \Serializable
{
/**
* @ORM\ManyToMany(targetEntity="Role", inversedBy="users")
*/
public $roles;
public function __construct()
{
$this->roles = new ArrayCollection();
}
public function getRoles()
{
return $this->roles->toArray();
}
}
角色等级
class Role implements RoleInterface
{
/**
* @ORM\ManyToMany(targetEntity="User", inversedBy="roles")
*/
public $users;
public function __construct()
{
$this->users = new ArrayCollection();
}
public function getUsers()
{
return $this->users;
}
}
用户表单类型
class UserType extends AbstractType
{
public function setDefaultOptions(OptionsResolverInterface $resolver)
{
$resolver->setDefaults(array(
'data_class' => 'NameSpace\MyBundle\Entity\User',
));
}
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder->add('id', 'hidden')
->add('roles', 'collection', array('type' => new RoleType()))
->add('save', 'submit');
}
public function getName()
{
return 'user';
}
}
角色表单类型
class RoleType extends AbstractType
{
public function setDefaultOptions(OptionsResolverInterface $resolver)
{
$resolver->setDefaults(array(
'data_class' => 'NameSpace\MyBundle\Entity\Role',
));
}
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder->add('name', 'entity', array(
'class' => 'NameSpace\MyBundle\Entity\Role',
'property' => 'name'
[multiple => true]
));
}
public function getName()
{
return 'role';
}
}
答案 0 :(得分:4)
您没有从角色的用户实体向表单提供集合:
public function getRoles()
{
//this returns an array
return $this->roles->toArray();
}
表单类使用实体中的getter和setter,因此您实际上正在返回一个数组,因为这是Symfony2安全系统所需要的。你需要做的是实现一个getRolesCollection字段,并在表单中使用它:
public function getRolesCollection()
{
//this returns a collection
return $this->roles;
}
//and (updated from comment below)
->add('roles_collection', 'entity', array('type' => new RoleType()))
oro平台执行以下操作:https://github.com/orocrm/platform/blob/master/src/Oro/Bundle/UserBundle/Form/Type/UserType.php
此博文可能也会有所帮助:http://blog.jmoz.co.uk/symfony2-fosuserbundle-role-entities/ 这是一个在数据库中为FOSUserBundle添加角色的人