wordpress按评论时间给文章排序
前言
wordpress作为最受欢迎的程序,我们对其功能要求也是更为多样。
我们都知道wordpress文章发布后都是按照发布时间进行排位,最新发布的在最前面。但是有的网友使用wp作为论坛,就需要新的排序方式。比如按最新评论排序。那我们如何实现呢?
正文
原理
给每篇文章添加一个自定义字段_commentTime(这个字段的值为最新一条评论的时间)然后使用query_posts函数实现所有文章按照自定义字段_commentTime的值进行排序
操作
一、给所有文章添加自定义字段_commentTime 如果你的博客文章比较少当然可以手动添加,但是有的博主文章成千上万。我想一篇一篇的添加或许会疯掉。所以这里我给出了两个批量添加方法
1.使用函数 将代码添加到主题 functions.php文件中,刷新页面就可以自动为所有文章添加自定义字段。center为自定义字段的名称,true为值,可根据情况修改。(注意:执行完代码后立刻删除,否则会一直执行)
add_action('init', 'update_all_templates_to_new');
function update_all_templates_to_new(){ $args = array( 'posts_per_page' => -1, 'post_type' => 'post', 'suppress_filters' => true ); $posts_array = get_posts( $args ); foreach($posts_array as $post_array) { update_post_meta($post_array->ID, 'center', 'true'); }}
2.使用sql语句 将下列SQL语句添加到phpmyadmin面板中SQL输入框中并执行
insert into wp_postmeta (post_id, meta_key, meta_value)
select ID, 'center', 'true' from wp_posts where post_type = 'post';
二.在主题functions.php文件中添加相应action代码
这一步添加的代码可以实现发布新文章(或新更改)、有新评论的时候,自动添加/更新自定义字段_commentTime的值,不需要你手动添加更改。
function ludou_comment_meta_add($post_ID) {
global $wpdb;
if(!wp_is_post_revision($post_ID)) {
update_post_meta($post_ID, '_commentTime', time());
}
}
function ludou_comment_meta_update($comment_ID) {
$comment = get_comment($comment_ID);
$my_post_id = $comment->comment_post_ID;
update_post_meta($my_post_id, '_commentTime', time());
}
function ludou_comment_meta_delete($post_ID) {
global $wpdb;
if(!wp_is_post_revision($post_ID)) {
delete_post_meta($post_ID, '_commentTime');
}
}
add_action('save_post', 'ludou_comment_meta_add');
add_action('delete_post', 'ludou_comment_meta_delete');
add_action('comment_post', 'ludou_comment_meta_update');
3.使用函数query_posts更改文章排序
在index.php中查找代码 if (have_posts()) 或 while (have_posts()),在上一行添加query_posts函数即可:
if(!$wp_query)
global $wp_query;$args = array( 'meta_key' => '_commentTime', 'orderby' => 'meta_value_num',
|