Customer
是"关键字/客户"的反面。与Keyword
的关系:
/**
* @ORM\ManyToMany(targetEntity="Keyword", mappedBy="customers",
* cascade={"persist", "remove"}
* )
*/
protected $keywords;
创建新客户时,应选择一个或多个关键字。实体表单字段为:
$form->add($this->factory->createNamed('entity', 'keywords', null, array(
'class' => 'Acme\HelloBundle\Entity\Keyword',
'property' => 'select_label',
'multiple' => true,
'expanded' => true,
)));
在我的控制器代码中,在绑定请求并检查表单是否有效之后,我需要同时保留客户和所有客户/关键字关联,即连接表。
然而,客户是反面的,所以这不起作用:
if($request->isPost()) {
$form->bindRequest($request);
if(!$form->isValid()) {
return array('form' => $form->createView());
}
// Valid form here
$em = $this->getEntityManager();
$em->persist($customer);
$em->flush();
}
" cascade"选项,此代码失败。 $customer->getKeywords()
将返回Doctrine\ORM\PersistentCollection
,其仅包含所选关键字。
我应该手动检查删除/添加了哪个关键字,然后从拥有方进行更新吗?
答案 0 :(得分:10)
好的,找到了方法,即使我不完全满意。关键是this example表单集合字段类型。基本上我之前的表单定义发生了什么:
$customer->getKeywords() = $postData; // $postData is somewhere in form framework
这只是将一组(所选关键字)分配给客户关键字。在Keyword
个实例(拥有方)上没有调用任何方法。关键选项是by_reference
(对我而言,这只是一个坏名字,但无论如何......):
$form
->add($this->factory->createNamed('entity', 'keywords', null, array(
// ...
'by_reference' => false
))
);
这样表单框架将调用setter,即$customer->setKeywords(Collection $keywords)
。在该方法中,您可以“告诉”拥有方存储您的关联:
public function setKeywords(Collection $keywords)
{
foreach($keywords as $keyword) {
$keyword->addCustomer($this); // Owning side call!
}
$this->keywords = $keywords;
return $this;
}
(始终使用contains
方法检查拥有方的重复实例。
此时,只会添加已检查的关键字($keyword
参数)。需要管理删除未经检查的关键字(控制器端):
$originalKeywords = $customer->getKeywords()->toArray(); // When GET or POST
// When POST and form valid
$checkedKeywords = $customer->getKeywords()->toArray(); // Thanks to setKeywords
// Loop over all keywords
foreach($originalKeywords as $keyword) {
if(!in_array($keyword, $checkedKeywords)) { // Keyword has been unchecked
$keyword->removeCustomer($customer);
$manager->persist($keyword);
}
}
丑陋,但有效。我会将移除代码移到Customer
类,但根本不可能。如果你能找到更好的解决方案,请告诉我!
答案 1 :(得分:2)
我使用的解决方案与@gredmo略有不同。从doctrine documentation:您可以在满足此假设时使用孤立删除:
使用
factory.getObject()
选项时,Doctrine会假设实体是私有的,并且 NOT 可以被其他实体重用。如果您忽略了这个假设,即使您将孤立实体分配给另一个实体,您的实体也会被Doctrine删除。
我有这个实体类:
orphanRemoval=true
表单处理(伪代码):
class Contract {
/**
* @ORM\OneToMany(targetEntity="ContractParticipant", mappedBy="contract", cascade={"all"}, orphanRemoval=true)
**/
}
protected $participants;
不要忘记坚持实体结束冲洗。 Flush还会删除已删除的实体。
// $_POST carry the Contract entity values
$received = [];
foreach ($_POST['participants'] as $key => $participant) {
if ((!$relation = $collection->get($key))) {
// new entity
$collection[$key] = $relation = $relationMeta->newInstance();
} else {
// editing existing entity
}
$received[] = $key;
$this->mapper->save($relation, $participant); // map POST data to entity
}
foreach ($collection as $key => $relation) {
if ($this->isAllowedRemove() && !in_array($key, $received)) {
// entity has been deleted
unset($collection[$key]);
}
}