2

我正在改进我的 php 脚本,它有两个简单的 sql 查询。我想做的是将两个查询合并为一个。

第一个查询:

SELECT categories.*, entries.* 
FROM categories, entries 
WHERE entries.cat_id = categories.cat_id 
ORDER BY dateposted ASC 
LIMIT 5;

第二个查询:

SELECT comments.* 
FROM comments 
WHERE comments.entry_id = '. $row['id'].';

这两个在分开时工作得很好。我只需要将它们组合成一个(仍然很简单,请不要使用 UNION 或 INNER JOIN),并可能计算查询中特定条目的评论数。此外,我的“评论”表有五列(comment_id、post_id、作者、正文、发布日期),如果这对了解有帮助的话。

我尝试了不同的方法。像这样的东西:

SELECT categories.*, entries.*, COUNT(comments.entry_id) AS comm_num 
FROM categories, entries, comments 
WHERE entries.cat_id = categories.cat_id 
AND comments.entry_id = entries.id 
ORDER BY dateposted ASC LIMIT 5;

不工作...

任何帮助将不胜感激。

4

1 回答 1

1

您的第一个查询本质上是一个联接,它可能不会更快。您可以像这样查询条目(同时显示相应的类别信息):

SELECT entries.*, categories.* 
FROM entries
LEFT JOIN categories ON entries.cat_id = categories.cat_id 
ORDER BY dateposted ASC 
LIMIT 5;

此外,听起来您实际上并不想返回此查询中的每个评论行,而只是获取每个“条目”的评论计数。对于这个计数,您可能会这样做:

SELECT entries.*, categories.*, COUNT(comments.comment_id) AS comm_num  
FROM entries
LEFT JOIN categories on entries.cat_id = categories.cat_id
LEFT JOIN comments on comments.entry_id = entries.entry_id
GROUP BY entries.entry_id
ORDER BY dateposted ASC 
LIMIT 5;

请注意,COUNT 函数计算的是评论 ID,而不是条目 ID。

于 2012-11-13T05:39:34.400 回答