1

我的脚本如下

$output="<table class='products'><tr>"; 
while($info = mysql_fetch_array( $data )) { 
    //Outputs the image and other data
    $output.= "<td>
    <img src=http://localhost/zack/sqlphotostore/images/"   .$info['photo'] ." width=323px ></img> 
    <b>Name:</b> ".$info['name'] . "
    <b>Email:</b> ".$info['email'] . " 
    <b>Phone:</b> ".$info['phone'] . "</td> "; 
}
$output.="<tr></table>";
print $output;
?>

它以长水平线显示所有结果我如何打破结果,以便它们在 3 次计数后显示在新行中。

4

2 回答 2

4

保留一个计数器,每3张图片输出一个新的表格行

$output="<table class='products'>"; 

$counter = 0;
while($info = mysql_fetch_array( $data )) 
{  
    if( $counter % 3 == 0 )
        $output .= '<tr>';

    $output .= "<td>";
    $output .= "<img src=http://localhost/zack/sqlphotostore/images/".$info['photo'] ." width=323px ></img>";
    $output .= "<b>Name:</b> ".$info['name'];
    $output .= "<b>Email:</b> ".$info['email'];
    $output .= "<b>Phone:</b> ".$info['phone']."</td> ";

    if( $counter % 3 == 0)
         $output .= "</tr>";

    $counter++;
}
$output.="</table>";
print $output;
?>
于 2012-08-10T20:08:36.030 回答
3

添加一个计数器并在每次达到 3 的倍数时开始一个新行。

$counter = 0;
while($info = mysql_fetch_array($data)) {
   if ($counter++ % 3 == 0) {
       if ($counter > 0) {
           $output .= "</tr>";
       }
       $output .= "<tr>";
   }
   // stuff
}
if ($counter > 0) {
    $output .= "</tr>";
}

$output .= "</table>";

请注意:它可能无助于回答您的问题,但您应该停止使用mysql_*函数。它们正在被弃用。而是使用PDO(从 PHP 5.1 开始支持)或mysqli(从 PHP 4.1 开始支持)。如果您不确定要使用哪一个,请阅读这篇文章

于 2012-08-10T20:04:54.533 回答