web-dev-qa-db-ja.com

カスタマイズされた最初の投稿テクニック

最初の投稿と一番上の投稿を区別するための標準的な手法はないようです。見回した後、私はこの方法を見つけました:

$current_query = new WP_Query('post_type=current&post_status=publish'); 

// Pull out top/first post
$first_post = ( $paged == 0 ) ? $posts[0]->ID : '';

while ($current_query->have_posts()) : $current_query->the_post();

if ($first_post == $post->ID) {
    echo '<div class="post top-post-special" id="post-' . get_the_ID() . '">';
} else {
    echo '<div class="post" id="post-' . get_the_ID() . '">';
}

これは、$ paged(Wordpressに組み込まれているようです)を使用して、期待通りに最初の投稿に "top-post-special"クラスを追加します。ただし、新しいWP_Queryインスタンスの代わりに次のquery_postを使用すると、機能しなくなります。

$args=array(
          'taxonomy' => 'highlights',
            'term' => 'Featured',
          'post_type' => 'highlights',
        );

query_posts($args); 

$first_post = ( $paged == 0 ) ? $posts[0]->ID : '';         

if ( have_posts()) : while (have_posts()) : the_post();                 

if ($first_post == $post->ID) {
    echo '<div class="post top-post-special" id="post-' . get_the_ID() . '">';
} else {
    echo '<div class="post" id="post-' . get_the_ID() . '">';
}

私は2番目のものが最初のものに似ていると思いました、私がここで何をしているのかわからない。最初の投稿をターゲットにするより良い、または標準化された方法はありますか?これはたくさん思いつくように思えます。

2
boomturn

あなたはこれのために特別な質問をする必要はないはずです。これを達成するための1つの方法はここにあります

/**
 * conditional check ensures special class only shows on top post on first page.
 * if you want top post on page 2, etc. to have special class, just set $first_post to true
 */
if( (int) get_query_var( 'paged' ) > 1 ){
    $first_post = false;
} else {
    $first_post = true;
}

if ( have_posts()) : while (have_posts()) : the_post();                 

if ( $first_post ) {
    echo '<div class="post top-post-special" id="post-' . get_the_ID() . '">';
    $first_post = false;
} else {
    echo '<div class="post" id="post-' . get_the_ID() . '">';
}
4
aaronwaggs

1行を次のように変更できます。

$first_post = ( !is_paged() ) ? $posts[0]->ID : '';

または別の方法を使用します。

if ($wp_query->current_post == 0 && !is_paged() ) {
       echo '<div class="post top-post-special" id="post-' . get_the_ID() . '">'; 
} else {
       echo '<div class="post" id="post-' . get_the_ID() . '">'; 
} 
2
Michael

より簡単な解決策:

<?php
if (have_posts()) {
    while (have_posts()) {
        the_post();

        // set class for first post on first page
        $class = (!is_paged() && $wp_query->current_post === 0) ? 'top-post-special' : '';
?>

<div id="post-<?php the_ID(); ?>" <?php post_class( $class ); ?>>

</div>

<?php
    }
}
?>
0
joeljoeljoel