baljeet
baljeet

Reputation: 43

Render SQL query results as an HTML table

I need help rendering data in PHP:

I want to use the results of a SQL query to populate a table, displaying images in a 4-column grid. Here's what I've written so far:

$result = mysql_query("SELECT * FROM gallery ORDER BY id ASC ");

while($row = mysql_fetch_array($result))
{
    echo "<td align=\"center\" ><a href=\"upload_gallery/".$row['image_name']."\" rel=\"prettyPhoto[gallery1]\" title=\" \"><img src=\"upload_gallery/thumbnail/sml_".$row['image_name']."\" width=\"200\" height=\"170\" /></a></td>";
} 

Upvotes: 1

Views: 2427

Answers (4)

Ronnie Sulanguit
Ronnie Sulanguit

Reputation: 1

Try this, hope it works for you,

while($row = mysql_fetch_array($result))
{
$data[]= $row['image_name'];## Pass the image data to new array
} 

$ImagePerRow = 4;### Set the value of image per table row
echo "<table border='1'><tr>";

 foreach($data as $key => $ImageName)
 {
    if(($key+1) == $ImagePerRow)## if key index+1 is equal to ImagePerRow
    {
    echo "<td align=\"center\" ><a href=\"upload_gallery/".$ImageName."\" rel=\"prettyPhoto[gallery1]\" title=\" \"><img src=\"upload_gallery/thumbnail/sml_".$ImageName."\" width=\"200\" height=\"170\" /></a></td></tr><tr>";## then close the table row and start a new table row
    $ImagePerRow+=4;### Add a value of 4 in order to increment the imageperRow value on the next loop
    }else{
    echo "<td align=\"center\" >".$ImageName."</td>";### else echo the normal table data
    }
 }
echo "</tr></table>"; 

Upvotes: 0

sephoy08
sephoy08

Reputation: 1114

Try this one:

$arr =array("Test1","Test2","Test3","Test4","Test5","Test6","Test7","Test8","Test9","Test10");
echo "<table><tr>";
for($i = 1 ; $i <= count($arr) ; $i++)
{
    echo"<td>".$arr[$i-1]."</td>";
    $last = $i % 4 == 0? "<tr/><tr>":"";
    echo $last;
}
echo "</table>";

Upvotes: 0

user1249679
user1249679

Reputation:

<table><tr>
<?$result = mysql_query("SELECT * FROM gallery ORDER BY id ASC ");
$result =mysql_fetch_array($result)
$count=0;
for($row =0; $row<count($result); $row++)
{
$count++
if($count==4){
echo '</tr><tr>';
$count=0;
}
echo "<td align=\"center\" ><a href=\"upload_gallery/".$row['image_name']."\" rel=\"prettyPhoto[gallery1]\" title=\" \"><img src=\"upload_gallery/thumbnail/sml_".$row['image_name']."\" width=\"200\" height=\"170\" /></a></td>";

} 

?>
</tr>
</table>

Upvotes: 1

Alex Gamezo
Alex Gamezo

Reputation: 121

You can do a for loop as was suggested by Frederick:

$num_rows = mysql_num_rows($result);

for($i = 0; $i < $num_rows; $i++)
{
    // Check if beginning of row
    if($i % 4 == 0)
    {
        //If not the first row, end the last row first
        if($i > 0)
        {
            echo "</tr>";
        }
        echo "<tr>";
    }

    $row = mysql_fetch_assoc($result);
    //Output each individual image
    echo "<td> {*EACH IMAGE code*}</td>";
}

That should give you the idea.

Upvotes: 1

Related Questions