1

我正在学习 SF2 - 完成的工作给我留下了深刻的印象,面对我自己无法解决的第一个真正问题。

我有两个实体:帖子和标签。下面的缩短代码:

class Tag
{
    /**
     * @ORM\ManyToMany(targetEntity="Post", mappedBy="tags", cascade={"persist"})
     */
    private $posts;

    public function __construct()
    {
        $this->posts = new \Doctrine\Common\Collections\ArrayCollection();
    }

    /**
     * @param \My\AppBundle\Entity\Snippet $posts
     * @return Tag
     */
    public function addSnippet(\My\AppBundle\Entity\Post $posts)
    {
        $this->posts[] = $posts;

        return $this;
    }

    /**
     * @param \My\AppBundle\Entity\Snippet $snippets
     */
    public function removeSnippet(\My\AppBundle\Entity\Post $posts)
    {
        $this->posts->removeElement($posts);
    }

    /**
     * @return \Doctrine\Common\Collections\Collection 
     */
    public function getSnippets()
    {
        return $this->posts;
    }
}

class Post
{
    /**
     * @ORM\ManyToMany(targetEntity="Tag", inversedBy="posts", cascade={"persist"})
     * @ORM\JoinTable(name="posts_tags",
     *     joinColumns={@ORM\JoinColumn(name="post_id", referencedColumnName="id", unique=true, onDelete="cascade")},
     *     inverseJoinColumns={@ORM\JoinColumn(name="tag_id", referencedColumnName="id", unique=true, onDelete="cascade")}
     * )
     */
    private $tags;

    public function __construct()
    {
        $this->tags = new \Doctrine\Common\Collections\ArrayCollection();
    }

    /**
     * @param \My\AppBundle\Entity\Tag $tags
     * @return Snippet
     */
    public function addTag(\My\AppBundle\Entity\Tag $tags)
    {
        $this->tags[] = $tags;

        return $this;
    }

    /**
     * @param \My\AppBundle\Entity\Tag $tags
     */
    public function removeTag(\My\AppBundle\Entity\Tag $tags)
    {
        $this->tags->removeElement($tags);
    }

    /**
     * @return \Doctrine\Common\Collections\Collection 
     */
    public function getTags()
    {
        return $this->tags;
    }
}

如您所见,我在两个实体之间有 M:M 关系。

我还有一个表单来添加带有嵌入式标签集合的帖子:

        $builder
            ->add('title')
            ->add('tags', 'collection', array(
                'type' => new \My\AppBundle\Form\TagType(),
                'allow_add' => true,
                'by_reference' => false,
                'prototype' => true
            ))
        ;

TagType 表单类:

$builder->add('name');

一切都按预期工作。除了一件事:如果有一个具有以下名称的 Tag 对象,我会收到SQLSTATE[23000]: Integrity constraint violationMySQL 错误,这很明显。如果我应用唯一验证约束,我可以添加一个标签来发布(如果它已经存在于数据库中)。

很明显,我需要检查数据库中是否存在以下标签,并且只有在不存在时才添加它,但是......如何以 Symfony 的方式做到这一点?

任何建议表示赞赏!

4

1 回答 1

1

您可以使用UniqueEntity来处理这个问题。我在标签类上看不到您的注释,也看不到您对“名称”的声明,但如果您添加类似下面的内容,它应该会为您提供一个基于名称的唯一验证约束,并带有一条可选消息以返回。

/**
 * @ORM\Entity
 * @UniqueEntity(fields="name", message="This tag name already exists")
 */
class Tag...

/**
 * @var string $name
 *
 * @ORM\Column(name="name", type="string", length=255, unique=true)
 */
protected $name;
于 2013-01-07T11:28:44.693 回答