V Oracle 10g nebyl žádný PIVOT
funkci, ale můžete ji replikovat pomocí agregace s 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;
Viz SQL Fiddle with Demo
Pokud máte Oracle 11g+, můžete použít PIVOT
funkce:
select *
from temp
pivot
(
sum(cnt)
for tp in ('T1', 'T2', 'T3')
) piv
Viz SQL Fiddle with Demo
Pokud máte neznámý počet hodnot k transformaci, můžete vytvořit proceduru pro generování dynamické verze tohoto:
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;
/
pak pro spuštění kódu:
variable x refcursor
exec dynamic_pivot(:x)
print x
Výsledek pro všechny verze je stejný:
| USR | T1 | T2 | T3 |
----------------------
| 1 | 17 | 0 | 0 |
| 2 | 0 | 21 | 1 |
| 3 | 45 | 0 | 0 |
Upravit:Na základě vašeho komentáře, pokud chcete Total
Nejjednodušší způsob je umístit dotaz do jiného SELECT
podobné tomuto:
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;
Viz SQL Fiddle with Demo