这个问题是我提出的问题的后续行动(并得到了工作答案)here。
如何将其转换为DQL?关于JOIN的文档对我来说有点混乱。
编辑:
我正在使用Doctrine和Symfony2,并拥有以下实体:
问题:
/**
* @ORM\Entity
* @ORM\Table(name="Question", indexes={@ORM\Index(name="id_idx", columns={"id"})})
*/
class Question
{
/**
* @ORM\Id
* @ORM\Column(type="integer")
* @ORM\GeneratedValue(strategy="AUTO")
*/
protected $id;
/**
* @var string question
*
* @ORM\Column(name="question", type="string", length=255)
*/
private $question;
/**
* @var array scores
*
* @ORM\OneToMany(targetEntity="Score", mappedBy="question")
*/
private $scores;
// getters and setters
}
分:
/**
* @ORM\Entity
* @ORM\Table(name="Score", indexes={@ORM\Index(name="id_idx", columns={"id"})})
*/
class Score
{
/**
* @ORM\Id
* @ORM\Column(type="integer")
* @ORM\GeneratedValue(strategy="AUTO")
*/
protected $id;
/**
* @var integer $question
*
* @ORM\ManyToOne(targetEntity="Question", inversedBy="scores")
* @ORM\JoinColumn(name="question_id", referencedColumnName="id")
*/
private $question;
/**
* @var float score
*
* @ORM\Column(name="score", type="float")
*/
private $score;
// getters and setters
}
我使用了以下查询:
$query = $em->createQuery('SELECT q AS question, AVG(s.score) AS average FROM CMSBundle:Question q JOIN q.scores s GROUP BY q.id ORDER BY q.id ASC');
$questions = $query->getResult();
但是,使用该查询,$ questions包含0个元素。我也没有收到任何错误(至少,PhpStorm在其调试器中找不到任何错误)。
由于缺乏对我为什么从我的查询中完全没有任何反馈意见的反馈,我有点不知所措。任何帮助将不胜感激。
答案 0 :(得分:1)
我记得上周刚遇到这个问题。我花了很长时间搞清楚这是怎么做的,我设法提出了以下DQL。在Question的存储库类中添加一个新方法。
我不得不调整自己的代码来匹配问题所以不能保证它能正常工作但是试一试。
<?php
namespace Acme\CMSBundle\Entity;
use Doctrine\ORM\EntityRepository;
class QuestionRepository extends EntityRepository
{
/**
* @return array
*/
public function findAverageScoresPerQuestion()
{
$dql = <<<SQL
SELECT
q question,
AVG(s.score) average
FROM
Acme\CMSBundle\Entity\Question q,
Acme\CMSBundle\Entity\Score s
WHERE
s.question = q.id
GROUP BY q.id
ORDER BY q.id ASC
SQL;
$q = $this->_em->createQuery($dql);
return $q->getResult();
}
}
从控制器使用Twig渲染结果时,question
属性嵌套一层更深
public function averageScoresAction()
{
$em = $this->getDoctrine()->getManager();
$questions = $em->getRepository('AcmeCMSBundle:Question')->findAverageScoresPerQuestion();
return $this->render('AcmeCMSBundle:Question:questions.html.twig', array(
'questions' => $questions
));
}
在questions.html.twig
<table>
<thead>
<tr>
<th>Question
<th>Average Score
</tr>
</thead>
<tbody>
{% for q in questions %}
<tr>
<td>{{ q.question.question }}
<td>{{ q.average }}
</tr>
{% else %}
<tr>
<td colspan="2">No results found
</tr>
{% endfor %}
</tbody>
</table>