Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Printing out a table horizontal instead of vertical using PHP

Problem:

I have a table that prints out vertical but I would like it to print horizontal instead. Anyone who can give guidance on how this can be achieved?

PHP code:

echo '
    <table class="table table-condensed table-bordered neutralize">     
        <tbody>
            <tr>
                <td><b>Kriterium</td>
                <td><b>Betyg</td>
            </tr>
';

while ($row = mysql_fetch_assoc($result))
{
    echo '
        <tr>
            <td>'.$i.'</td>
            <td>'.$row['RID'].'</td>
        </tr>
    ';

    $i++;
}

echo '
        </tbody>
    </table>
';

Current output:

enter image description here

Desired output:

enter image description here

like image 469
kexxcream Avatar asked Jun 12 '12 17:06

kexxcream


2 Answers

Loop through your query results first building up the two rows that you want and then add them into your table afterwards:

$kriterium = '';
$betyg = '';

while ($row = mysql_fetch_assoc($result))
{
    $kriterium .= '<td>'.$i.'</td>';
    $betyg .= '<td>'.$row['RID'].'</td>';
    $i++;
}

echo '
    <table class="table table-condensed table-bordered neutralize">     
        <tbody>
            <tr>
                <td><b>Kriterium</td>'.$kriterium .'
            </tr>
            <tr>
                <td><b>Betyg</td>'.$betyg .'
            </tr>
        </tbody>
    </table>
';
like image 153
John Lawrence Avatar answered Nov 08 '22 17:11

John Lawrence


You can collect data in two dimensional array and later reuse this array to build output in different formats:

$rows  = array();
$index = 0;

while ($row = mysql_fetch_assoc($result))
    $rows[0][] = ++$index;
    $rows[1][] = $row['RID'];
}

$table = '<table class="table table-condensed table-bordered neutralize">     
  <tbody>
    <tr><td><b>Kriterium</b></td><td>%s</td></tr>
    <tr><td><b>Betyg</b></td><td>%s</td></tr>
  </tbody>
</table>';

printf(
  $table, 
  implode('</td><td>', $rows[0]),
  implode('</td><td>', $rows[1])
);
like image 40
ioseb Avatar answered Nov 08 '22 16:11

ioseb