9

我正在使用 Symfony2 和 Doctrine

我有一个学说实体,它被序列化/反序列化为会话并在多个屏幕中使用。这个实体有许多一对多的关联。

学说实体有以下一对多,例如:

class Article {

...

    /**
     * @ORM\OneToMany(targetEntity="image", mappedBy="article", cascade=  {"merge","detach","persist"})
     */
    protected $images;

    public function __construct()
    {
        $this->images = new ArrayCollection();
    }

    .....
}

文章实体的保存和检索如下:

    public function saveArticle($article)
    {
        $articleSerialized = serialize($article);
        $this->session->set('currentArticle',$articleSerialized);
    }

    public function getArticle()
    {
        $articleSerialized = $this->session->get('currentArticle');
        $article = unserialize($articleSerialized);
        $article = $this->em->merge($article);

        return $article;
    }

我可以多次在会话中保存和加载实体,然后将其合并回实体管理器并保存。仅当它是一个新实体时。

但是,一旦我从数据库加载实体然后将其保存到会话中,我就会遇到问题。

我从其他帖子中知道,在您对保存的实体进行反序列化后,您必须运行 $em->merge($entity);

我能够合并实体,添加一个新的子实体(一对多),然后保存:

$article = $this->getArticle(); //Declared above, gets article from session

$image = new Image();
$image->setFilename('image.jpeg');
$article->addImage($image);

$this->saveArticle($article); //Declared above, returns the article to session

但是,在第一次合并和图像添加之后,我无法再添加任何子实体。如果我尝试添加第二张图片,它会返回以下错误:

A managed+dirty entity <<namespace of entity>>
image@0000000067078d7400000000221d7e02 can not 
be scheduled for insertion.

所以总而言之,我可以对实体进行任意数量的更改并将其保存到会话中,但是如果我在添加子实体时多次运行 $em->merge,则新的子实体将被标记为脏。

有谁知道为什么一个实体会被标记为脏?我是否需要重置实体本身,如果需要,我该怎么做?

4

1 回答 1

11

知道了。

对于将来可能遇到此问题的任何人:

您不能合并具有未持久子实体的实体。它们被标记为脏。

IE

您的文章中可能已经保存了两张图片到 DB。

ARTICLE (ID 1) -> IMAGE (ID 1)
               -> IMAGE (ID 2)

如果您将文章序列化保存到会话,然后反序列化并合并它。没关系。

如果您添加新图像,然后将其序列化到会话中,您将遇到问题。这是因为您无法合并未持久化的实体。

ARTICLE (ID 1) -> IMAGE (ID 1)
               -> IMAGE (ID 2)
               -> IMAGE (NOT YET PERSISTED)

我必须做的是:

在我对文章进行反序列化后,我删除了未持久化的图像并将它们存储在一个临时数组中(我检查了 ID)。然后我合并文章并重新添加未持久化的图像。

        $article = unserialize($this->session->get('currentArticle'));

        $tempImageList = array();

        foreach($article->getImages() as $image)
        {
            if(!$image->getId()) //If image is new, move it to a temporary array
            {
                $tempImageList[] = $image;
                $article->removeImage($image);
            }
        }

        $plug = $this->em->merge($article); //It is now safe to merge the entity

        foreach($tempImageList as $image)
        {
            $article->addImage($image); //Add the image back into the newly merged plug
        }

        return $article;                        

然后,如果需要,我可以添加更多图像,并重复该过程,直到我最终将文章保存回 DB。

如果您需要进行多页面创建过程或通过 AJAX 添加图像,这很容易知道。

于 2012-12-05T23:18:00.497 回答