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

Come creare sql dinamico per con sys_refcursor in Oracle

Non sono sicuro del motivo per cui ti preoccupi del with clausola, è più semplice senza un CTE; devi solo identificare in quale tabella la city la colonna è in:

function myfunc(p_city IN VARCHAR2,
  p_order IN VARCHAR2)
RETURN SYS_REFCURSOR IS
  v_result          SYS_REFCURSOR;
begin
  OPEN v_result FOR
    'select * from tableA ta
     inner join tableB tb on tb.some_col = ta.some_col
     where :p_city is null or LOWER(ta.city) like ''%''||:p_city||''%''
     order by ' || p_order || ' asc'
     using p_city, p_city;

  return v_result;
end myfunc;
/

Ho indovinato che è la tabella A, basta cambiare l'alias se è l'altro. È inoltre necessario specificare la condizione di unione tra le due tabelle. (Ho anche notato che ho aggiunto uno spazio prima di asc per impedire che venga concatenato nella stringa order-by).

Questo compila senza errori; quando eseguito, ottengo ORA-00942:la tabella o la vista non esistono, il che è ragionevole. Se creo dati fittizi:

create table tablea (some_col number, city varchar2(30));
create table tableb (some_col number);

insert into tablea values (1, 'London');
insert into tablea values (2, 'Londonderry');
insert into tablea values (3, 'East London');
insert into tablea values (4, 'New York');

insert into tableb values (1);
insert into tableb values (2);
insert into tableb values (3);
insert into tableb values (4);

quindi chiamandolo si ottiene:

select myfunc('lond', 'city') from dual;

  SOME_COL CITY                             SOME_COL
---------- ------------------------------ ----------
         3 East London                             3
         1 London                                  1
         2 Londonderry                             2

Se vuoi davvero restare fedele al CTE per qualche motivo, allora (come ha detto @boneist) questo deve far parte della dichiarazione dinamica:

  OPEN v_result FOR
    'with all_prb as (
       select * from tableA ta
       inner join tableB tb on tb.some_col = ta.some_col
     )
     select * from all_prb ff
     where :p_city is null or LOWER(ff.city) like ''%''||:p_city||''%''
     order by ' || p_order || ' asc'
     using p_city, p_city;