Reputation: 4908
I have 3 tables, like:
parent(id, name)
children(id, data, parent_id, timestamp)
table_votes(id, user_id, child_id)
I want to get all rows from children
table that have a specific parent_id
, showing also the count of occurences in table_votes
for each one.
I try something like the following, but doesn't seem to work, I think I miss all rows from children
that have no entry in table_votes
SELECT
`children`.`id`,
`children`.`data`,
`children`.`parent_id`,
`children`.`timestamp`,
COUNT(`v`.`children_id`)
FROM `children` LEFT JOIN `table_votes` `v` ON `children`.`id` = `v`.`child_id`
WHERE `children`.`parent_id` = 20 ORDER BY `timestamp` ASC
Any hints what am I doing wrong?
Thank you in advance
Upvotes: 0
Views: 4550
Reputation: 411
i am not sure if i am understanding your question correctly but to me it seems like you want to count the number of children in the tables_votes not in children. try the following:
select id, data, parent_id, timestamp, child_id
from table_votes join children on children_id.id = table_vote.child_id
where child_id = (select count(child_id) from table_vote)
and parent_id = '20'
Upvotes: 0
Reputation: 1388
1) solution with subselect:
SELECT
children.id,
children.data,
children.parent_id,
children.timestamp,
(select count(*) from table_votes children.id = table_votes.child_id) as cntVotes
FROM
children
WHERE
children.parent_id = 20
ORDER BY
children.timestamp ASC
2) solution with group by:
SELECT
children.id,
children.data,
children.parent_id,
children.timestamp,
count(table_votes.id) as cntVotes
FROM
children
LEFT JOIN
table_votes ON children.id = v.child_id
WHERE
children.parent_id = 20
GROUP BY
children.id,
children.data,
children.parent_id,
children.timestamp
ORDER BY
children.timestamp ASC
Upvotes: 2
Reputation: 12618
There are few possible options, one of them:
SELECT * ,
(SELECT count(*)
FROM `table_votes`
WHERE `children`.`id` = `table_votes`.`child_id`) AS `Count`
FROM `children`
WHERE `parent_id` = 20
You can use your query as well, but will have to add GROUP BY
:
SELECT
`children`.`id`,
`children`.`data`,
`children`.`parent_id`,
`children`.`timestamp`,
COUNT(`v`.`children_id`)
FROM `children` LEFT JOIN `table_votes` `v` ON `children`.`id` = `v`.`child_id`
WHERE `children`.`parent_id` = 20
GROUP BY `children`.`id`, `children`.`data`, `children`.`parent_id`, `children`.`timestamp`,
ORDER BY `timestamp` ASC
Upvotes: 5