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

oracle:nome della colonna dinamica

Poiché stai utilizzando Oracle10g, non è presente alcun PIVOT funzione quindi dovrai eseguire questo tipo di trasformazione utilizzando una funzione aggregata con un CASE dichiarazione.

Se i valori sono noti in anticipo, puoi codificarli in una versione statica:

select s.ts_location,
  sum(case when p.tp_name = 'apple' then s.ts_sales else 0 end) Apple,
  sum(case when p.tp_name = 'mango' then s.ts_sales else 0 end) Mango,
  sum(case when p.tp_name = 'pineapple' then s.ts_sales else 0 end) Pineapple
from tbl_sales s
inner join tbl_products p
  on s.ts_tp_id = p.tp_id
group by s.ts_location

Vedi SQL Fiddle con demo

Ma se i tuoi valori non sono noti in anticipo, devi implementare sql dinamico e in Oracle vorrai utilizzare una procedura per questo:

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

    begin
        for x in (select distinct tp_name from tbl_products order by 1)
        loop
            sql_query := sql_query ||
                ' , sum(case when p.tp_name = '''||x.tp_name||''' then s.ts_sales end) as '||x.tp_name;

                dbms_output.put_line(sql_query);
        end loop;

        sql_query := sql_query || ' from tbl_sales s 
                                                inner join tbl_products p
                                                  on s.ts_tp_id = p.tp_id
                                                group by s.ts_location';
        dbms_output.put_line(sql_query);

        open p_cursor for sql_query;
    end;
/

Quindi per restituire i risultati puoi utilizzare (nota: ecco come lo faccio in Toad):

variable x refcursor
exec dynamic_pivot(:x)
print x

Entrambi restituiranno il risultato:

| TS_LOCATION | APPLE | MANGO | PINEAPPLE |
-------------------------------------------
|          LN |     0 |    10 |        35 |
|          QL |    25 |     0 |        20 |
|          NY |   100 |     5 |        50 |