Questo tipo di trasformazione dei dati è noto come pivot . MySQL non ha una funzione pivot, quindi vorrai trasformare i dati usando una funzione aggregata con un CASE
espressione.
Se conosci in anticipo i valori da trasformare, puoi codificarli come segue:
select studentid,
sum(case when subject = 'Java' then mark else 0 end) Java,
sum(case when subject = 'C#' then mark else 0 end) `C#`,
sum(case when subject = 'JavaScript' then mark else 0 end) JavaScript
from yourtable
group by studentid
Vedi SQL Fiddle con demo .
Se i valori del soggetto sono sconosciuti o flessibili, potresti voler utilizzare un'istruzione preparata per generare sql dinamico:
SET @sql = NULL;
SELECT
GROUP_CONCAT(DISTINCT
CONCAT(
'sum(case when subject = ''',
subject,
''' then mark else 0 end) AS `',
subject, '`'
)
) INTO @sql
FROM yourtable;
SET @sql = CONCAT('SELECT studentid, ', @sql, '
from yourtable
group by studentid');
PREPARE stmt FROM @sql;
EXECUTE stmt;
DEALLOCATE PREPARE stmt;
Vedi SQL Fiddle con demo .
Il risultato per entrambe le query è:
| STUDENTID | JAVA | C# | JAVASCRIPT |
--------------------------------------
| 10 | 46 | 65 | 79 |
| 11 | 66 | 85 | 99 |