Symfony2/Doctrine:如何将具有 OneToMany 的实体重新保存为级联新行
首先,这个问题类似于如何将实体重新保存为教义2中的另一行。
不同之处在于,我正在尝试将数据保存在具有 OneToMany 关系的实体中。我想将实体重新另存为父实体(在“一”端)中的新行,然后在每个后续子实体(在“许多”端)中作为新行。
我用了一个非常简单的例子,一个教室有很多学生来保持简单。
因此,我可能有 id=1 的 ClassroomA,它有 5 个学生(ids 1 到 5)。我想知道在 Doctrine2 中,我如何才能将该实体重新保存到数据库中(在潜在的数据更改之后),所有这些操作都带有新的 ID,并且在持久化/刷新期间原始行保持不变。
让我们首先定义我们的教义实体。
课堂实体:
namespace Acme\TestBundle\Entity;
use Doctrine\ORM\Mapping as ORM;
use Doctrine\Common\Collections\ArrayCollection;
/**
* @ORM\Entity
* @ORM\Table(name="classroom")
*/
class Classroom
{
/**
* @ORM\Id
* @ORM\Column(type="integer")
* @ORM\GeneratedValue(strategy="AUTO")
*/
private $id;
/**
* @ORM\Column(type="string", length=255)
*/
private $miscVars;
/**
* @ORM\OneToMany(targetEntity="Pupil", mappedBy="classroom")
*/
protected $pupils;
public function __construct()
{
$this->pupils = new ArrayCollection();
}
// ========== GENERATED GETTER/SETTER FUNCTIONS BELOW ============
}
瞳孔实体:
namespace Acme\TestBundle\Entity;
use Doctrine\ORM\Mapping as ORM;
use Doctrine\Common\Collections\ArrayCollection;
/**
* @ORM\Entity
* @ORM\Table(name="pupil")
*/
class Pupil
{
/**
* @ORM\Id
* @ORM\Column(type="integer")
* @ORM\GeneratedValue(strategy="AUTO")
*/
private $id;
/**
* @ORM\Column(type="string", length=255)
*/
private $moreVars;
/**
* @ORM\ManyToOne(targetEntity="Classroom", inversedBy="pupils")
* @ORM\JoinColumn(name="classroom_id", referencedColumnName="id")
*/
protected $classroom;
// ========== GENERATED FUNCTIONS BELOW ============
}
以及我们的通用操作函数:
public function someAction(Request $request, $id)
{
$em = $this->getDoctrine()->getEntityManager();
$classroom = $em->find('AcmeTestBundle:Classroom', $id);
$form = $this->createForm(new ClassroomType(), $classroom);
if ('POST' === $request->getMethod()) {
$form->bindRequest($request);
if ($form->isValid()) {
// Normally you would do the following:
$em->persist($classroom);
$em->flush();
// But how do I create a new row with a new ID
// Including new rows for the Many side of the relationship
// ... other code goes here.
}
}
return $this->render('AcmeTestBundle:Default:index.html.twig');
}
我尝试过使用克隆,但这只保存了父级关系(在我们的示例中为“课堂”),并带有新的ID,而儿童数据(学生)则根据原始ID进行了更新。
提前感谢任何帮助。