Oracle
 sql >> Database >  >> RDS >> Oracle

Pivot su Oracle 10g

In Oracle 10g non c'era PIVOT funzione ma puoi replicarlo utilizzando un aggregato con un CASE :

select usr,
  sum(case when tp ='T1' then cnt else 0 end) T1,
  sum(case when tp ='T2' then cnt else 0 end) T2,
  sum(case when tp ='T3' then cnt else 0 end) T3
from temp
group by usr;

Vedi SQL Fiddle con demo

Se hai Oracle 11g+, puoi utilizzare il PIVOT funzione:

select *
from temp
pivot
(
  sum(cnt)
  for tp in ('T1', 'T2', 'T3')
) piv

Vedi SQL Fiddle con demo

Se hai un numero sconosciuto di valori da trasformare, puoi creare una procedura per generare una versione dinamica di questo:

CREATE OR REPLACE procedure dynamic_pivot(p_cursor in out sys_refcursor)
as
    sql_query varchar2(1000) := 'select usr ';

    begin
        for x in (select distinct tp from temp order by 1)
        loop
            sql_query := sql_query ||
              ' , sum(case when tp = '''||x.tp||''' then cnt else 0 end) as '||x.tp;

                dbms_output.put_line(sql_query);
        end loop;

        sql_query := sql_query || ' from temp group by usr';

        open p_cursor for sql_query;
    end;
/

quindi per eseguire il codice:

variable x refcursor
exec dynamic_pivot(:x)
print x

Il risultato per tutte le versioni è lo stesso:

| USR | T1 | T2 | T3 |
----------------------
|   1 | 17 |  0 |  0 |
|   2 |  0 | 21 |  1 |
|   3 | 45 |  0 |  0 |

Modifica:in base al tuo commento se desideri un Total campo, il modo più semplice è inserire la query all'interno di un altro SELECT simile a questo:

select usr,
  T1 + T2 + T3 as Total,
  T1,
  T2,
  T3
from
(
  select usr,
    sum(case when tp ='T1' then cnt else 0 end) T1,
    sum(case when tp ='T2' then cnt else 0 end) T2,
    sum(case when tp ='T3' then cnt else 0 end) T3
  from temp
  group by usr
) src;

Vedi SQL Fiddle con demo