如何在 Doctrine2 中执行 MySQL count(*)?

2022-08-31 00:05:20

我有以下 Doctrine2 查询:

$qb = $em->createQueryBuilder()
      ->select('t.tag_text, COUNT(*) as num_tags')
      ->from('CompanyWebsiteBundle:Tag2Post', 't2p')
      ->innerJoin('t2p.tags', 't')
      ->groupBy('t.tag_text')
;
$tags = $qb->getQuery()->getResult();

运行时,我收到以下错误:

[Semantical Error] line 0, col 21 near '*) as num_tags': Error: '*' is not defined. 

如何在 Doctrine2 中执行 MySQL count(*)?


答案 1

您应该能够像这样完成此操作(将查询构建为字符串):

$query = $em->createQuery('SELECT COUNT(u.id) FROM Entities\User u');
$count = $query->getSingleScalarResult();

答案 2

你试图在DQL中做到这一点,而不是“在教义2中”。

您需要指定要计数的字段(注意,我不使用术语列),这是因为您正在使用ORM,并且需要以OOP方式思考。

$qb = $em->createQueryBuilder()
      ->select('t.tag_text, COUNT(t.tag_text) as num_tags')
      ->from('CompanyWebsiteBundle:Tag2Post', 't2p')
      ->innerJoin('t2p.tags', 't')
      ->groupBy('t.tag_text')
;
$tags = $qb->getQuery()->getResult();

但是,如果您需要性能,则可能需要使用 NativeQuery,因为您的结果是简单的标量而不是对象。


推荐