3

我有两个具有 oneToMany 和 manyToOne 关系的实体

文章有 oneToMany 标签

ArticleTag 有 manyToOne 文章

$articleTags = $em->getRepository('Model\ArticleTag')
    ->findBy(array('article' => $articleId));

$qb->select('a')
    ->from('\\Model\\Article', 'a')
    ->where(':tags MEMBER OF a.tags')
    ->setParameter('tags', $articleTags);

该查询返回错误:

An exception occurred while executing
    SELECT .. FROM article a0_ WHERE EXISTS (SELECT 1 FROM article_tag a1_ WHERE a0_.id = a1_.article_id AND a1_.id = ?, ?, ?)' with params {"1":8,"2":9,"3":10}
SQLSTATE[42000]: Syntax error or access violation: 1064 You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near ' 9, 10)' at line 1

有什么方法可以表达式 ' a1_.id = ?, ?, ? '

4

2 回答 2

4

这个问题很老,但这里有一个答案:

IN如果您使用数组作为输入,则可以使用,如下所示:

...  
->where( 'a.id IN (:tag_ids)' )  
->setParameter( 'tag_ids', $articleTags )  
...
于 2013-07-31T12:19:20.020 回答
2

正如 lordjansco 所说,老问题,但我想向发现它的其他人扩展一点。

为了扩展 lordjancso 的答案,因为a.id是指文章 ID 而不是标签 ID。您需要执行带有INon的内部联接,a.tags以从相关标签中检索文章。

像这样。

$articleTags = $em->getRepository('Model\\ArticleTag')
   ->findBy(array('article' => $articleId));

$qb = $em->createQueryBuilder();
$query = $qb->select('a')
   ->from('\\Model\\Article', 'a')
   ->innerJoin('a.tags', 't', 'WITH', 't.id IN (:tags)')
   ->setParameter('tags', $articleTags)
   ->getQuery();
$result = $query->getResult();

但是,由于您已经知道文章 ID,因此无需创建另一个查询来从标签中检索文章。

如果您使用 Doctrine2 ORM 并且您的实体设置为 ManyToOne,那么您应该可以直接getTags从文章中调用。

$article = $em->getRepository('Model\\Article')->findOneById($articleId);
$articleTags = $article->getTags();

或者如果需要,您还可以遍历每个标签。

$articleTags = $em->getRepository('Model\\ArticleTag')
    ->findBy(array('article' => $articleId));

foreach ($articleTags as $articleTag) {
   $article = $articleTag->getArticle();
}

确保您为实体配置了双向一对多关联。

http://doctrine-orm.readthedocs.org/en/latest/reference/association-mapping.html#one-to-many-bidirectional

像这样:

use \Doctrine\Common\Collections\ArrayCollection;

/** @Entity **/
class Article
{
    /**
     * @var ArrayCollection|ArticleTags[]
     * @ORM\OneToMany(targetEntity="ArticleTags", mappedBy="article")
     */
    private $tags;

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

    /**
     * @return ArticleTags[]|ArrayCollection
     */
    public function getTags()
    {
        return $this->tags;
    }
}
/** @Entity **/
class ArticleTags
{
    /**
     * @var Article
     * @ORM\ManyToOne(targetEntity="Article", inversedBy="tags")
     * @ORM\JoinColumn(name="article", referencedColumnName="id")
     */
    private $article;
}
于 2015-04-08T13:47:28.177 回答