Mysql
 sql >> Datenbank >  >> RDS >> Mysql

MySQL zeigt Zeilen als Spalten an

Sie müssen zuerst alle Daten in einem temporären Array transponieren, bevor Sie es erneut ausgeben können. Ich gebe Ihnen 2 Methoden, um dies zu tun.

Methode 1:Rufen Sie einfach jede Zeile ab und wechseln Sie den Zeilenindex durch den Spaltenindex:

<table>
    <tr>
        <th>Subject</th>
        <th>year1</th>
        <th>year2</th>
        <th>year3</th>
    </tr>

    <?php
    $mysqli = new mysqli('localhost', 'user', 'pass', 'database');
    $id = 1;
    $report = array();
    $columnIndex = 0;
    $query = $mysqli->query("SELECT HTML, CSS, Js FROM term WHERE Stdid='$id'");
    while ($results = $query->fetch_assoc()) {
        foreach ($results as $course => $score) {
            $report[$course][$columnIndex] = $score;
        }
        $columnIndex++;
    }

    foreach ($report as $course => $results) { ?>
        <tr>
            <th><?php echo $course; ?></th>
            <?php foreach ($results as $score) { ?>
                <th><?php echo $score; ?></th>
            <?php } ?>
        </tr>
    <?php } ?>
</table>

Methode 2:Rufen Sie alle Zeilen in einem Array ab, damit es ein Array von Arrays wird, und verwenden Sie array_map mit Callback NULL um es zu transponieren (Siehe Beispiel 4 unter http://php.net/manual /en/function.array-map.php ).Sie müssen die Kursnamen in das anfängliche Array einfügen, um sie in das Endergebnis aufzunehmen.

<table>
    <tr>
        <th>Subject</th>
        <th>year1</th>
        <th>year2</th>
        <th>year3</th>
    </tr>

    <?php
    $mysqli = new mysqli('localhost', 'user', 'pass', 'database');
    $id = 1;
    $data = array(array('HTML', 'CSS', 'Js'));
    $query = $mysqli->query("SELECT HTML, CSS, Js FROM term WHERE Stdid='$id'");
    while ($row = $query->fetch_assoc())
    {
        $data[] = $row;
    }
    $data = call_user_func_array('array_map', array_merge(array(NULL), $data));
    ?>

    <?php
    foreach ($data as $row): ?>
        <tr>
            <?php foreach ($row as $value): ?>
                <th><?php echo $value?></th>
            <?php endforeach; ?>
        </tr>
    <?php endforeach; ?>
</table>