web-dev-qa-db-fra.com

WP_Query et next_posts_link

Je n'arrive pas à comprendre comment faire en sorte que next_posts_link () fonctionne dans mon WP_Query personnalisé. Voici la fonction:

function artists() {
  echo '<div id="artists">';
  $args = array( 'post_type' => 'artist', 'posts_per_page' => 3, 'paged' => get_query_var( 'page' ));
  $loop = new WP_Query( $args );
  while ( $loop->have_posts() ) : $loop->the_post();
    echo '<a class="artist" href="'.get_post_permalink().'">';
    echo '<h3 class="artist-name">'.get_the_title().'</h3>';
    $attachments = attachments_get_attachments();
    $total_attachments = count( $attachments );
    for( $i=0; $i<$total_attachments; $i++ ) {
      $thumb = wp_get_attachment_image_src( $attachments[$i]['id'], 'thumbnail' );
      echo '<span class="thumb"><img src="'.$thumb[0].'" /></span>';
    }
    echo '</a>';
  endwhile;
  echo '</div>';
  next_posts_link();
}

Quelqu'un peut-il me dire ce que je fais mal?

Merci

7
Tom

essayez de transmettre max_num_pages à la fonction:

next_posts_link('Older Entries »', $loop->max_num_pages);
11
Milo

next_posts_link et previous_posts_link, ainsi que plusieurs autres fonctions, utilisent une variable globale appelée $wp_query. Cette variable est en fait une instance de l'objet WP_Query. Toutefois, lorsque vous créez notre propre instanciation de WP_Query, vous n’avez pas cette variable globale $wp_query, raison pour laquelle la pagination ne fonctionnera pas.

pour résoudre cela vous tromper $wp_query global

//save old query
$temp = $wp_query; 
//clear $wp_query; 
$wp_query= null; 
//create a new instance
$wp_query = new WP_Query();
$args = array( 'post_type' => 'artist', 'posts_per_page' => 3, 'paged' => get_query_var( 'page' ));
$wp_query->query($args);
while ( $wp_query->have_posts() ) : $wp_query->the_post();
    echo '<a class="artist" href="'.get_post_permalink().'">';
    echo '<h3 class="artist-name">'.get_the_title().'</h3>';
    $attachments = attachments_get_attachments();
    $total_attachments = count( $attachments );
    for( $i=0; $i<$total_attachments; $i++ ) {
      $thumb = wp_get_attachment_image_src( $attachments[$i]['id'], 'thumbnail' );
      echo '<span class="thumb"><img src="'.$thumb[0].'" /></span>';
    }
    echo '</a>';
  endwhile;
  echo '</div>';
  next_posts_link();
//clear again
$wp_query = null; 
//reset
$wp_query = $temp;
10
Bainternet