我正在尝试在Wordpress中找到一种方法来获取特定类别中的评论总数。我没有成功阅读官方文档和函数参考。然而,我想出了下面的代码,但不幸的是,它只选择一个$ termid(即它选择第一个类别的第一个termid)并在所有类别中显示结果。请帮忙。
<?php
$categories = get_categories( array(
'hide_empty' => 0,
'hierarchical' => 0,
'exclude' => '1' //exclude uncategorised
));
foreach($categories as $category): ?>
global $wpdb;
$catid = $category->cat_ID;
$catname = $category->name;
$count = "SELECT COUNT(*) FROM $wpdb->comments, $wpdb->terms WHERE term_id=$category->term_id";
$result = $wpdb->get_var($count);
?>
答案 0 :(得分:2)
我修改了WordPress forum的查询以获得您想要的内容。这种设置的“大”优势是它只会向数据库发出一个请求。但是,它确实意味着您需要修改脚本,但我认为这不是什么大问题。
这是查询
-- selects the comment count and term (category) name
SELECT SUM(p.comment_count) AS count, t.name FROM wp_posts p
JOIN wp_term_relationships tr ON tr.object_id = p.ID
JOIN wp_term_taxonomy tt ON tt.term_taxonomy_id = tr.term_taxonomy_id
JOIN wp_terms t ON t.term_id = tt.term_id
WHERE t.term_id in (1,2,3,4,5...)
AND p.post_status = 'publish'
GROUP BY t.term_id
以下是我在上面编写代码的方法。
<?php
global $wpdb;
$categories = get_categories(array(
'hide_empty' => 0,
'hierarchical' => 0,
'exclude' => '1' //exclude uncategorised
));
// create a comma separated string of category ids
// used for SQL `WHERE IN ()`
$category_ids = implode(',', array_map(function($cat) {
return $cat->term_id;
}, $categories));
$query = "SELECT SUM(p.comment_count) AS count, t.name FROM wp_posts p
JOIN wp_term_relationships tr ON tr.object_id = p.ID
JOIN wp_term_taxonomy tt ON tt.term_taxonomy_id = tr.term_taxonomy_id
JOIN wp_terms t ON t.term_id = tt.term_id
WHERE t.term_id in ($category_ids)
AND p.post_status = 'publish'
GROUP BY t.term_id";
$categories = $wpdb->get_results($query);
echo '<ul>';
foreach( $categories as $category ) {
printf("<li>the %s category has %s comments</li>", $category->name, $category->count);
}
echo '</ul>';