6

以下是我的 wordpress 查询,我只想显示粘性帖子,但查询未显示任何帖子。此外,我将两个帖子设置为粘性,以便检查该部分!!!。请让我知道如何修改此查询,以便它只显示粘性的帖子

<?php 
   $wp_query = null; 
  $wp_query =  new WP_Query(array(
 'posts_per_page' => 2,
 //'paged' => get_query_var('paged'),
 'post_type' => 'post',
'post__in'  =>  'sticky_posts',
 //'post__not_in' => array($lastpost),
 'post_status' => 'publish',
 'caller_get_posts'=> 0 ));

  while ($wp_query->have_posts()) : $wp_query->the_post(); $lastpost[] = get_the_ID();
?>
4

2 回答 2

11

仅显示置顶帖子的查询:

// get sticky posts from DB
$sticky = get_option('sticky_posts');
// check if there are any
if (!empty($sticky)) {
    // optional: sort the newest IDs first
    rsort($sticky);
    // override the query
    $args = array(
        'post__in' => $sticky
    );
    query_posts($args);
    // the loop
    while (have_posts()) {
         the_post();
         // your code
    }
}
于 2013-11-06T14:18:24.723 回答
3

query_posts() 函数不会在当前查询设置之前创建一个新的 WP_Query(),这意味着这不是最有效的方法,并且会执行额外的 SQL 请求

使用 'pre_get_posts' 挂钩以确保安全,例如

function sticky_home( $query ) {

    $sticky = get_option('sticky_posts');

    if (! empty($sticky)) {
        if ( $query->is_home() && $query->is_main_query() ) {
             $query->set( 'post__in', $sticky );
        }
    }

} add_action( 'pre_get_posts', 'sticky_home' );
于 2015-10-20T19:59:02.073 回答