显示最近7天观看次数最多的帖子,并通过Wordpress rss feed获得观看次数

时间:2019-02-13 11:24:22

标签: php wordpress time view rss

我的WP网站需要两个供稿。一个应该是普通的wp帖子提要<另一个-必须显示最近7天内观看次数最多的帖子,并且包含观看次数。我也想显示来自WP-PostViews插件计数器的帖子视图。

我通过将WP-PostViews函数添加到feed-rss2进行了尝试。可以,但是我不能将输出限制为7个7天

get_most_viewed('post', 10);

1 个答案:

答案 0 :(得分:0)

我们需要做的第一件事是创建一个函数,该函数将检测帖子查看次数并将其存储为每个帖子的自定义字段。为此,请将以下代码粘贴到主题的functions.php文件中。

function wpb_set_post_views($postID) {
    $count_key = 'wpb_post_views_count';
    $count = get_post_meta($postID, $count_key, true);
    if($count==''){
        $count = 0;
        delete_post_meta($postID, $count_key);
        add_post_meta($postID, $count_key, '0');
    }else{
        $count++;
        update_post_meta($postID, $count_key, $count);
    }
}
//To keep the count accurate, lets get rid of prefetching
remove_action( 'wp_head', 'adjacent_posts_rel_link_wp_head', 10, 0);

现在您已经有了此功能,我们需要在单个帖子页面上调用此功能。这样,函数可以准确知道哪个帖子获得了视图的功劳。为此,您需要将以下代码粘贴到单个发布循环中:

wpb_set_post_views(get_the_ID());

您只需使用wp_head钩子将跟踪器添加到标题中即可。因此,将以下代码粘贴到主题的functions.php文件中。放置此内容后,每次用户访问帖子时,自定义字段都会更新。

function wpb_track_post_views ($post_id) {
    if ( !is_single() ) return;
    if ( empty ( $post_id) ) {
        global $post;
        $post_id = $post->ID;    
    }
    wpb_set_post_views($post_id);
}
add_action( 'wp_head', 'wpb_track_post_views');

您要在单个帖子页面上显示帖子查看次数

function wpb_get_post_views($postID){
    $count_key = 'wpb_post_views_count';
    $count = get_post_meta($postID, $count_key, true);
    if($count==''){
        delete_post_meta($postID, $count_key);
        add_post_meta($postID, $count_key, '0');
        return "0 View";
    }
    return $count.' Views';
    }

Then inside your post loop add the following code:

wpb_get_post_views(get_the_ID());

如果要按视图计数对帖子进行排序,则可以使用wp_query post_meta参数轻松实现。最基本的示例循环查询如下所示:

<?php 
$popularpost = new WP_Query( array( 'posts_per_page' => 4, 'meta_key' => 'wpb_post_views_count', 'orderby' => 'meta_value_num', 'order' => 'DESC'  ) );
while ( $popularpost->have_posts() ) : $popularpost->the_post();

the_title();

endwhile;
?>

参考网站:https://www.wpbeginner.com/wp-tutorials/how-to-track-popular-posts-by-views-in-wordpress-without-a-plugin/