Doctrine2.1:通过DiscriminatorColumn查找导致“未知字段”异常

问题描述 投票:0回答:3

我试图寻找这个错误,但事实上我没有找到任何东西,这让我相信我在做一些愚蠢的事情。我将在下面包含相关代码,但基本上我使用多表继承(或Class Table Inheritance)并尝试使用 Doctrine ORM findBy() 方法基于鉴别器列进行查询,这会导致以下结果抛出 ORMException:“无法识别的字段:类型”。

下面是触发异常的代码:

    // $this->em is an instance of \Doctrine\ORM\EntityManager
    $repository = $this->em->getRepository('JoeCommentBundle:Thread');

    return $repository->findOneBy(array(
        'type' => $this->type,
        'related_id' => $id
    ));

这是“基础”抽象实体的相关代码:

<?php

namespace Joe\Bundle\CommentBundle\Entity;

use Doctrine\ORM\Mapping as ORM;
use Gedmo\Mapping\Annotation as Gedmo;
use Doctrine\Common\Collections\ArrayCollection;

/**
 * @ORM\Entity
 * @ORM\Table(name="comment_threads")
 * @ORM\InheritanceType("JOINED")
 * @ORM\DiscriminatorColumn(name="type", type="string")
 * @ORM\DiscriminatorMap( {"story" = "Joe\Bundle\StoryBundle\Entity\StoryThread"} )
 */
abstract class Thread
{
    /**
     * @ORM\Id
     * @ORM\Column(type="integer")
     * @ORM\GeneratedValue(strategy="AUTO")
     */
    protected $id;

    /**
     * @ORM\Column(name="related_id", type="integer")
     */
    protected $relatedId;

    /** MORE FIELDS BELOW.... **/

最后,这是具体线程实体的代码:

<?php

namespace Joe\Bundle\StoryBundle\Entity;

use Doctrine\ORM\Mapping as ORM;
use Joe\Bundle\CommentBundle\Entity\Thread as AbstractThread;

/**
 * @ORM\Entity
 * @ORM\Table(name="story_comment_threads")
 */
class StoryThread extends AbstractThread
{
    /**
     * @ORM\OneToOne(targetEntity="Story")
     * @ORM\JoinColumn(name="story_id", referencedColumnName="id")
     */
    protected $story;
}

我已经仔细检查了我的架构,并且

type
列肯定存在,所以我不确定是什么原因导致的。有什么想法吗?谢谢。

symfony doctrine-orm
3个回答
15
投票

Rob,当查询您实际使用的父实体并尝试过滤鉴别器值时。相反,请处理与要获取的子实体相关的存储库。教义将为你做剩下的事情。因此,在您的情况下,您想要获取 StoryThread 的存储库。

$repository = $this->em->getRepository('JoeCommentBundle:StoryThread');
return repository->find($id);

15
投票

您不能将鉴别器列用作标准实体属性。

您可以执行以下操作:

$dql = 'SELECT e FROM JoeCommentBundle:Thread e 
    WHERE e.related_id = :related_id AND e INSTANCE OF :type';
$query = $em->createQuery($dql);
$query->setParameters(array(
    'type' => $this->type,
    'related_id' => $id
));
$record = $query->getSingleResult();

0
投票

使用 Doctrine Query Builder 时,您可以这样做:

$qb = $this->createQueryBuilder('x');
$qb->andWhere($qb->expr()->isInstanceOf('x', $class));
$records = $qb->getQuery()->getResult();
© www.soinside.com 2019 - 2024. All rights reserved.