Я хочу выбрать строки из таблицы poll
и упорядочить их по количеству или сумме строк объединенной таблицы vote
, где vote.is_current_vote = true
.
Таблица голосования отслеживает все голоса, нов опросе учитывается только самое последнее число пользователей, которое помечено как is_current_vote
.
. Я изо всех сил пытаюсь выяснить, как подсчитать таблицу голосования с помощью Doctrine Query Builder или Native Query..
Вот структура базы данных:
create table if not exists user
(
id int auto_increment
primary key,
username varchar(45) not null,
slug varchar(45) not null,
created_at datetime not null,
updated_at datetime null,
constraint UNIQ_8D93D649989D9B62
unique (slug),
constraint UNIQ_8D93D649F85E0677
unique (username)
)
collate=utf8_unicode_ci
;
create table if not exists poll
(
id int auto_increment
primary key,
user_id int null,
question varchar(140) not null,
slug varchar(140) not null,
is_active tinyint(1) not null,
created_at datetime not null,
updated_at datetime null,
constraint UNIQ_84BCFA45989D9B62
unique (slug),
constraint FK_84BCFA45A76ED395
foreign key (user_id) references user (id)
)
collate=utf8_unicode_ci
;
create index IDX_84BCFA45A76ED395
on poll (user_id)
;
create table if not exists vote
(
id int auto_increment
primary key,
poll_id int not null,
user_id int not null,
created_at datetime not null,
is_current_vote tinyint(1) not null,
constraint FK_5A1085643C947C0F
foreign key (poll_id) references poll (id),
constraint FK_5A108564A76ED395
foreign key (user_id) references user (id),
)
collate=utf8_unicode_ci
;
create index IDX_5A1085643C947C0F
on vote (poll_id)
;
create index IDX_5A108564A76ED395
on vote (user_id)
;
У меня есть этот запрос, работающий в MySQL, который дает мне нужные данные:
select poll.id, poll.slug, poll.question, poll.created_at,
u.id, u.username, u.slug, u.profile_picture,
sum(case when v.is_current_vote = true then 1 else 0 end) as total_votes
from poll
left join user u on poll.user_id = u.id
left join vote v on poll.id = v.poll_id
group by poll.id
order by total_votes desc
Данные должныупорядочить по количеству голосов, где «v.is_current_vote = true».
Пример данных (без некоторых столбцов выше, чтобы их было легче читать):
poll.question, u.username, total_votes
Is Elvis Alive?, someone, 15
Is the future bright?, someone_else, 10
Is this all a dream?, another_user, 5
Возможно ли сделать что-то подобное вИнструкция Symfony / Doctrine QueryBuilder или мне нужно использовать собственный SQL?Я не могу понять, как это сделать.Я был бы очень признателен за некоторые рекомендации.
Это моя текущая попытка Native SQL, я получаю строки из таблицы poll
, но голосование и пользователь null
:
/**
* Class PollRepository
* @package PollBundle\Repository
*/
class PollRepository extends EntityRepository
{
/**
* @return \Doctrine\ORM\NativeQuery
*/
public function findPopular()
{
$rsm = new ResultSetMappingBuilder($this->_em);
$rsm->addRootEntityFromClassMetadata('PollBundle\Entity\Poll', 'poll');
$rsm->addJoinedEntityFromClassMetadata('PollBundle\Entity\User', 'u', 'poll', 'user', [
'id' => 'user_id',
'slug' => 'user_slug',
'created_at' => 'user_created_at',
'updated_at' => 'user_updated_at',
'is_active' => 'user_is_active',
]);
$rsm->addJoinedEntityFromClassMetadata('PollBundle\Entity\Vote', 'v', 'poll', 'votes', [
'id' => 'vote_id',
'user_id' => 'vote_user_id',
'created_at' => 'vote_created_at',
'updated_at' => 'vote_updated_at',
]);
$sql = '
SELECT poll.id, poll.slug, poll.question, poll.created_at,
u.id, u.username, u.slug, u.profile_picture,
sum(case when v.is_current_vote = true then 1 else 0 end) as total_votes
from poll
left join user u on poll.user_id = u.id
left join vote v on poll.id = v.poll_id
group by poll.id
order by total_votes desc
';
return $this->_em->createNativeQuery($sql, $rsm)->getResult();
}
}