有没有更好的方法来显示mysql表中的数据,而不是必须先创建一个表,然后创建硬编码标头以及该表中的字段?

我目前正在做的伪代码是

<table>
<tr>
  <th>I am </th><th> harcoded</th>
</tr>
mysql loop through data
for all fields
while($row = mysql_fetch_assoc($result)){
  <tr>
   <td>data
   </td>
   <td>data
   </td>
  </tr>
}
</table>

最佳答案

我通常会这样:

$header_done = false;
while($rs = mysql_fetch_assoc($result))
{
    if (!$header_done)
    {
        echo "<tr>";
        foreach ($rs as $k=>$v)
        {
            echo "<td>" . htmlspecialchars ($k) . "</td>";
        }
        $header_done = true;
        echo "</tr>";
    }

    // etc...

}


更新:这是我几年前编写的函数,有时会使用

function EZ_TBL ( $all_rows, $first_row_headers=TRUE )
{

$tr = array ();

if ( $first_row_headers )
{
    $td = array ();
    foreach ( $all_rows[0] as $k=>$v )
    {
        if ( $k == 'sort_order' ) continue;
        $td[] = strtoupper ( $k );
    }

    $tr[] = '<td class="header_row">' . implode ( '</td><td class="header_row">', $td ) . '</td>';
}

usort ( $all_rows, 'sort_by_sort_order' );

foreach ( $all_rows as $row )
{
    $td = array ();
    foreach ( $row as $k=>$v )
    {
        if ( $k == 'sort_order' ) continue;

        if ( $k == 'url' )
        {
            $td[] = '<a href="' . $v . '">' . $v . '</a>';
        } else {
            $td[] = $v;
        }
    }
    $tr[] = '<td>' . implode ( "</td>\n<td>", $td ) . '</td>';
}

return '<table><tr>' . implode ( "</tr>\n<tr>", $tr ) . '</tr></table>';
}

07-26 04:22