2

我有 3 个实体UsersUserProfile并且Staffs

用户配置文件通过用户 id 链接到用户表 Staff 表使用 userprofileid 链接到用户配置文件

管理员创建用户配置文件并生成注册号、用户名和密码。

我想将用户记录添加到用户表,然后添加用户配置文件,然后将配置文件 ID 添加到人员表。

我想按顺序保留三个实体

我试图为像这样的用户创建一个实例

$this->userent->setUsername('xxx');
$this->em->persist($this->userent);
$this->em->flush();

然后:

$this->profileent->setFirstname('xxx');
$this->em->persist($this->profileent);
$this->em->flush();

基本上一个表单在三个实体之间共享,我想顺序插入三个表,

更新

除了users实体,我还有一个usertype链接到用户的实体......我只想保留外键。我有

setUserType(Usertype $userType)方法 users 中 user_type 实体的实例

当我做

 $this->userent = new Users();
$this->userent->setUserType($this->em->getRepository('\Campus\Entity\Usertype')->findByUserType("admin")) 

我得到了错误

Argument 1 passed to Campus\Entity\Users::setUserType() must be an instance of Campus\Entity\Usertype, array given

如果我传递作为 Usertype 实例的数组的值

我收到一条错误消息,说需要 ArrayCollection..help 的数组!!!

Argument 1 passed to Doctrine\Common\Collections\ArrayCollection::__construct() must be of the type array, object given, called in D:\xampp\htdocs\zend\library\Doctrine\ORM\UnitOfWork.php on line 406 defined in D:\xampp\htdocs\zend\library\Doctrine\Common\Collections\ArrayCollection.php on line 46
4

2 回答 2

5

少考虑数据库,多考虑对象。这就是教义的全部意义。

你想要这样的东西:

<?php
// create some entities

$user = new Entity\User();
$user->setUsername('userman');

$profile = new Entity\UserProfile();
$profile->setFirstname('joe');
$profile->setLastname('smith');

$staff = new Entity\Staff();
$staff->setSomething('value-for-something');

// associate those entities together
$profile->setStaff($staff);
$user->setProfile($profile);

// assuming you have set up cascade={"persist"} on your associations
$this->em->persist($user);

// if you haven't set up cascade={"persist"}, you will need to call persist on each entity:
// $this->em->persist($profile);
// $this->em->persist($staff);

$em->flush();

所以,基本的想法是你构建你的对象,将它们放入 Doctrine 的工作单元(通过调用 persist() 并可能设置一些级联),然后通过调用 flush 在单个事务中将它们全部写入数据库()

于 2012-09-10T22:09:34.743 回答
1

您可以持久化每个实体,然后在最后刷新一次。

如果您的实体之间有关系,您可以检查以下注释

cascade={"persist"}

“级联将操作持久化到关联实体。”

看看这里的文档:http: //docs.doctrine-project.org/en/2.0.x/reference/working-with-associations.html#transitive-persistence-cascade-operations

于 2012-09-10T08:06:37.123 回答