Link to home
Start Free TrialLog in
Avatar of IAMSYLAR
IAMSYLAR

asked on

How to paginate php/mysql query results?

Hello I really need to know how to paginate my existing script. Im having a hard time understanding what to do.

I want to display 10 rows of data each page and have prev 1, 2, 3, etc.. next buttons at the button for navigation.

Here is my script and I hope someone can modify it to do so.

Also please provide comments on each line of code they add so I can understand what's going on. Explain in layman's terms so I will know how to modify and improve script.
<?php
//Database connection file
require("../site_resources/scripts/databaseconnect.php"); 
 
//searches your database
$Keywords = 'games'; 
 
//searches your database for data that meets criteria
$query = "SELECT * FROM images WHERE (images.Keywords LIKE '%$Keywords%')
		  ORDER BY date_inserted DESC";
		  
$result = mysqli_query($connect,$query) or die(mysql_error());
 
 // layout of results area
echo "<div class='description'>";
echo "<table border='1'>";
while ($row = mysqli_fetch_array($result)) {
echo "<tr><td>";
echo "<a href='../display_page.php?id=$row[ID]'> $row[thumbnail] </a>";
echo "</td><td>";
echo "<a href='../display_page.php?id=$row[ID]'> $row[Name] </a>";
echo "<br />";
echo $row[Description];
echo "</td></tr>";
}
echo "</table>";
echo "</div>";
mysqli_close($connect);
?>

Open in new window

Avatar of shrikantss
shrikantss
Flag of India image

To show the result of a query in several pages first you need to know how many rows you have and how many rows per page you want to show. For example if I have 295 rows and I show 30 rows per page that mean I'll have ten pages (rounded up).

 

For the example I created a table named randoms that store 295 random numbers. Each page shows 20 numbers.

Example: paging.php
Source code :paging.phps

<?php
include 'library/config.php';
include 'library/opendb.php';

// how many rows to show per page
$rowsPerPage = 20;

// by default we show first page
$pageNum = 1;

// if $_GET['page'] defined, use it as page number
if(isset($_GET['page']))
{
    $pageNum = $_GET['page'];
}

// counting the offset
$offset = ($pageNum - 1) * $rowsPerPage;

$query = " SELECT val FROM randoms " .
         " LIMIT $offset, $rowsPerPage";
$result = mysql_query($query) or die('Error, query failed');

// print the random numbers
while($row = mysql_fetch_array($result))
{
   echo $row['val'] . '<br>';
}

// ... more code here
?>

Paging is implemented in MySQL using LIMIT that take two arguments. The first argument specifies the offset of the first row to return, the second specifies the maximum number of rows to return. The offset of the first row is 0 ( not 1 ).

When paging.php is called for the first time the value of $_GET['page'] is not set. This caused $pageNum value to remain 1 and the query is :

SELECT val FROM randoms LIMIT 0, 20

which returns the first 20 values from the table. But when paging.php is called like this http://www.php-mysql-tutorial.com/examples/paging/paging.php?page=4
the value of $pageNum becomes 4 and the query will be :

SELECT val FROM randoms LIMIT 60, 20

this query returns rows 60 to 79.

After showing the values we need to print the links to show any pages we like. But first we have to count the number of pages. This is achieved by dividing the number of total rows by the number of rows to show per page :

$maxPage = ceil($numrows/$rowsPerPage);

<?php
// ... the previous code

// how many rows we have in database
$query   = "SELECT COUNT(val) AS numrows FROM randoms";
$result  = mysql_query($query) or die('Error, query failed');
$row     = mysql_fetch_array($result, MYSQL_ASSOC);
$numrows = $row['numrows'];

// how many pages we have when using paging?
$maxPage = ceil($numrows/$rowsPerPage);

// print the link to access each page
$self = $_SERVER['PHP_SELF'];
$nav  = '';

for($page = 1; $page <= $maxPage; $page++)
{
   if ($page == $pageNum)
   {
      $nav .= " $page "; // no need to create a link to current page
   }
   else
   {
      $nav .= " <a href=\"$self?page=$page\">$page</a> ";
   }
}

// ... still more code coming
?>

The mathematical function ceil() is used to round up the value of $numrows/$rowsPerPage.

In this case the value of total rows $numrows is 295 and $rowsPerPage is 20 so the result of the division is 14.75 and by using ceil() we get $maxPage = 15

Now that we know how many pages we have we make a loop to print the link. Each link will look something like this:

<a href="paging.php?page=5">5</a>

You see that we use $_SERVER['PHP_SELF'] instead of paging.php when creating the link to point to the paging file. This is done to avoid the trouble of modifying the code in case we want to change the filename.
 

We are almost complete. Just need to add a little code to create a 'Previous' and 'Next' link. With these links we can navigate to the previous and next page easily. And while we at it let's also create a 'First page' and 'Last page' link so we can jump straight to the first and last page when we want to.

 

<?php
// ... the previous code

// creating previous and next link
// plus the link to go straight to
// the first and last page

if ($pageNum > 1)
{
   $page  = $pageNum - 1;
   $prev  = " <a href=\"$self?page=$page\">[Prev]</a> ";

   $first = " <a href=\"$self?page=1\">[First Page]</a> ";
}
else
{
   $prev  = '&nbsp;'; // we're on page one, don't print previous link
   $first = '&nbsp;'; // nor the first page link
}

if ($pageNum < $maxPage)
{
   $page = $pageNum + 1;
   $next = " <a href=\"$self?page=$page\">[Next]</a> ";

   $last = " <a href=\"$self?page=$maxPage\">[Last Page]</a> ";
}
else
{
   $next = '&nbsp;'; // we're on the last page, don't print next link
   $last = '&nbsp;'; // nor the last page link
}

// print the navigation link
echo $first . $prev . $nav . $next . $last;

// and close the database connection
include '../library/closedb.php';

// ... and we're done!
?>

Making these navigation link is actually easier than you may think. When we're on the fifth page we just make the 'Previous' link point to the fourth. The same principle also apply for the 'Next' link, we just need to add one to the page number.

One thing to remember is that we don't need to print the 'Previous' and 'First Page' link when we're already on the first page. Same thing for the 'Next' and 'Last' link. If we do print them that would only confuse the one who click on it. Because we'll be giving them the exact same page.

 
Avatar of IAMSYLAR
IAMSYLAR

ASKER

So far I have tried implementing the following into my code and results are returned but the query to paginate is not working.

Please modify the script I have provide to pagination will work with my particular script.
<?php include("includes/dbconnect.php");?>

<?php
          //-------------------------------paging-------------------------------------------\\
            $perPage="10";//decided no of records per page..
            $pageNo=1;//intital page index if page loading @ ffirast time

    if(isset($_REQUEST['str'])) {            //chekced wether clicked on nxt or previous page link

            $str= $_REQUEST['str'];      //for paging

            $pageno=$_REQUEST['page'];   //for paging

    }

     if(@$str=='next'){//if link of next clicked then page no will increase by one
        $pageNo=$pageno+(1) ;
       
    }
    if(@$str=='previous'){//if link of next clicked then page no will decrease by one
        $pageNo=$pageno-1;
       
    }
            $record = mysql_query("SELECT * FROM images WHERE (images.Keywords LIKE '%$Keywords%')")
            or die(mysql_error());//database query
        $num_rows=mysql_num_rows($record);//get total number of records fetched by query
        $totalPage = ($num_rows%$perPage == 0) ? ($num_rows/$perPage) :  ceil($num_rows/$perPage);//total page count

                    $offset = ($pageNo - 1) * $perPage;//redefine offset
             
               $sel = "SELECT * FROM images WHERE (images.Keywords LIKE '%$Keywords%')
                  ORDER BY date_inserted DESC".$offset.", ".$perPage;//actaul query
                 
               
                $res = mysql_query($sel)  or die(mysql_error());//execute query

                               
                               
                               
            while($row=mysql_fetch_assoc($res)) {
                               
                    $array[]=$row;//take each rowrecord into the array to display while total records not over
                        }
                $arraycnt = count($array);
                           
                       
                            echo "<tr>";
                            $k=0;
                for($s=0; $s<$arraycnt ; $s++) {
                for($i=$s;$i<=$s;$i++){
echo "<td width=20% height=150><table border=0>
<tr><td><a href='display_sub.php?strn=".$array[$i]['id']."' ><img src="."cms/".$array[$i]['image_path']. " width='200' height='250' border='0'></a></td>
</tr>
</table></td>";
                        }
                            $k++;
                            //echo $k;
                            if($k>=4) {
                               
                                 echo "</tr></ br>";
                                 $k=0;
                                }
                            //}
                        }
            echo "<tr><td align='center' colspan=4>&nbsp;</td></tr>";
            echo "<tr><td align='center' colspan=4 style='font-weight:bold; font-size:20;'>";          
           
            if($pageNo == $totalPage)
                {
            if($num_rows>8){
echo "<a  href='display.php?str=previous&page=$pageNo'>[previous]</a></td>";
                }
            }
        else if($pageNo == 1)
            {
        if($num_rows>8){
echo "<a  href='display.php?str=next&page=$pageNo'>[next]</a>";
    }
    }
    else
      {
echo "<a  href='display.php?str=previous&page=$pageNo'>[previous]</a>&nbsp;&nbsp;<a  href='display.php?str=next&page=$pageNo'>[next]</a>";
            }
    echo "</td></tr>";
        ?>
ASKER CERTIFIED SOLUTION
Avatar of shrikantss
shrikantss
Flag of India image

Link to home
membership
This solution is only available to members.
To access this solution, you must be a member of Experts Exchange.
Start Free Trial
I will repost question since this request is not fulfilling my needs.
I recently requested help to paginate a script that searches my database.  Member CXR (Sage Rank) conveniently altered my script with comments to fulfill my needs.

However I wanted to implement the same pagination system on another script with no success, probably because it was not requesting text box search input.

My other script simply needs pagination implemented according to its current format. So far responses seem to be copy & paste assistance, without actually modifying my provided script.

Closing Post to create new question
I recently requested help to paginate a script that searches my database.  Member CXR (Sage Rank) conveniently altered my script with comments to fulfill my needs.

However I wanted to implement the same pagination system on another script with no success, probably because it was not requesting text box search input.

My other script simply needs pagination implemented according to its current format. So far responses seem to be copy & paste assistance, without actually modifying my provided script.

Closing Post to create new question
SOLUTION
Link to home
membership
This solution is only available to members.
To access this solution, you must be a member of Experts Exchange.
Start Free Trial