我和你有同样的问题,但我已经解决了。
首先,您可能希望选择一对多/多对一关系(使用中间实体)而不是多对多关系。为什么?因为这允许额外的列,例如position
列。这样,您可以以任何您想要的方式重新排序图像。在多对多关系中,链接表只有两列:关联表的 id。
从教义文档:
(...) 您经常希望将附加属性与关联关联,在这种情况下您需要引入关联类。因此,直接的多对多关联消失了,取而代之的是三个参与类之间的一对多/多对一关联。
所以我将此添加到我的产品映射文件中:(如您所见,我使用 YAML 作为我的配置文件格式)
oneToMany:
images:
targetEntity: MyBundle\Entity\ProductImage
mappedBy: product
orderBy:
position: ASC
我创建了一个新的 ProductImage 映射文件:
MyBundle\Entity\ProductImage:
type: entity
table: product_images
id:
id:
type: integer
generator: { strategy: AUTO }
fields:
position:
type: integer
manyToOne:
product:
targetEntity: MyBundle\Entity\Product
inversedBy: images
image:
targetEntity: Application\Sonata\MediaBundle\Entity\Media
使用命令行 ( php app/console doctrine:generate:entities MyBundle
) 我创建/更新了相应的实体 (Product
和ProductImage
)。
接下来,我创建/更新了 Admin 类。产品管理员.php:
class ProductAdmin extends Admin
{
protected function configureFormFields(FormMapper $formMapper)
{
$formMapper
// define other form fields
->add('images', 'sonata_type_collection', array(
'required' => false
), array(
'edit' => 'inline',
'inline' => 'table',
'sortable' => 'position',
))
;
}
ProductImageAdmin.php:
class ProductImageAdmin extends Admin
{
protected function configureFormFields(FormMapper $formMapper)
{
$formMapper
->add('image', 'sonata_type_model_list', array(
'required' => false
), array(
'link_parameters' => array(
'context' => 'product_image'
)
))
->add('position', 'hidden')
;
}
不要忘记将它们都添加为服务。如果您不想在仪表板上显示 ProductImage 表单的链接,请添加show_in_dashboard: false
标记。(您如何执行此操作取决于您使用的配置格式(yaml/xml/php))
在此之后,我的管理表单正常工作,但是我在尝试保存产品时仍然遇到了一些问题。我必须执行以下步骤才能解决所有问题:
首先,我必须为 Product 实体配置级联持久化操作。同样,如何执行此操作取决于您的配置格式。我使用的是 yaml,所以在images
一对多的关系中,我添加了级联属性:
oneToMany:
images:
targetEntity: MyBundle\Entity\ProductImage
mappedBy: product
orderBy:
position: ASC
cascade: ["persist"]
这让它工作(或者我认为),但我注意到product_id
数据库中的设置为NULL
. 我通过在类中添加prePersist()
和preUpdate()
方法解决了这个问题ProductAdmin
:
public function prePersist($object)
{
foreach ($object->getImages() as $image) {
$image->setProduct($object);
}
}
public function preUpdate($object)
{
foreach ($object->getImages() as $image) {
$image->setProduct($object);
}
}
...并在实体的addImages()
方法中添加了一行:Product
public function addImage(\MyBundle\Entity\ProductImage $images)
{
$images->setProduct($this);
$this->images[] = $images;
return $this;
}
这对我有用,现在我可以在我的产品中添加、更改、重新排序、删除等图像。