web-dev-qa-db-fra.com

Comment ajouter PHP pagination dans les tableaux

J'ai essayé de nombreuses façons d'ajouter la pagination PHP. J'ai essayé de chercher et de trouver d'autres façons de mettre en œuvre la pagination, mais aucune ne fonctionne.

Voici comment j'ai créé la page d'index:

<?php
$menuItems = array(
    "post1" => array(
        "title" => "Sample Title",
        "utime" => "M/d/Y",
        "content" => "<p>Body of the post</p>"
    ),

    "post2" => array(
        "title" => "Another Sample Title",
        "utime" => "M/d/Y",
        "content" => "<p>Content goes here...</p>"
    ),
);

foreach ($menuItems as $contItem => $item) {
?>
<li>
     <a href="dish.php?item=<?php echo $contItem; ?>">
         <h1><?php echo $item["title"]; ?></h1>
         <small><?php echo $item["utime"]; ?></small>
     </a>
</li>
<?php } ?>

J'aimerais savoir comment paginer la liste des tableaux. Merci!

14
Arqetech

u peut utiliser une simple fonction PHP appelée array_slice ()

$menuItems = array_slice( $menuItems, 0, 10 ); 

afficher les 10 premiers articles.

$menuItems = array_slice( $menuItems, 10, 10 );

afficher les 10 éléments suivants.

MISE À JOUR:

$page = ! empty( $_GET['page'] ) ? (int) $_GET['page'] : 1;
$total = count( $yourDataArray ); //total items in array    
$limit = 20; //per page    
$totalPages = ceil( $total/ $limit ); //calculate total pages
$page = max($page, 1); //get 1 page when $_GET['page'] <= 0
$page = min($page, $totalPages); //get last page when $_GET['page'] > $totalPages
$offset = ($page - 1) * $limit;
if( $offset < 0 ) $offset = 0;

$yourDataArray = array_slice( $yourDataArray, $offset, $limit );

MISE À JOUR # 2:

Exemple de pagination:

$link = 'index.php?page=%d';
$pagerContainer = '<div style="width: 300px;">';   
if( $totalPages != 0 ) 
{
  if( $page == 1 ) 
  { 
    $pagerContainer .= ''; 
  } 
  else 
  { 
    $pagerContainer .= sprintf( '<a href="' . $link . '" style="color: #c00"> &#171; prev page</a>', $page - 1 ); 
  }
  $pagerContainer .= ' <span> page <strong>' . $page . '</strong> from ' . $totalPages . '</span>'; 
  if( $page == $totalPages ) 
  { 
    $pagerContainer .= ''; 
  }
  else 
  { 
    $pagerContainer .= sprintf( '<a href="' . $link . '" style="color: #c00"> next page &#187; </a>', $page + 1 ); 
  }           
}                   
$pagerContainer .= '</div>';

echo $pagerContainer;
41
trzyeM-

Une autre option viable consiste à utiliser array_chunk():

$pagedArray = array_chunk($originalArray, 10, true);
$nthPage = $pagedArray[$pageNumber];
11
Cranio