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

Funzione di conversione da Oracle a PostgreSQL

La funzione strpos(str, sub) in Postgres è equivalente a instr(str, sub) in Oracle. Sfortunatamente, la funzione non ha il terzo e il quarto parametro, quindi l'espressione in Postgres deve essere più complessa.

La funzione substr(str, n) fornisce una sottostringa di str a partire da n posizione.

instr(str, ch, instr(str, sub), 1);                               --oracle
strpos(substr(str, strpos(str, sub)), ch) + strpos(str, sub) - 1; --postgres

Come instr() è una potente funzione l'ho scritta in plpgsql per le mie esigenze.

create or replace function instr(str text, sub text, startpos int = 1, occurrence int = 1)
returns int language plpgsql immutable
as $$
declare 
    tail text;
    shift int;
    pos int;
    i int;
begin
    shift:= 0;
    if startpos = 0 or occurrence <= 0 then
        return 0;
    end if;
    if startpos < 0 then
        str:= reverse(str);
        sub:= reverse(sub);
        pos:= -startpos;
    else
        pos:= startpos;
    end if;
    for i in 1..occurrence loop
        shift:= shift+ pos;
        tail:= substr(str, shift);
        pos:= strpos(tail, sub);
        if pos = 0 then
            return 0;
        end if;
    end loop;
    if startpos > 0 then
        return pos+ shift- 1;
    else
        return length(str)- length(sub)- pos- shift+ 3;
    end if;
end $$;

Alcuni controlli (esempi da Funzioni DML OLAP ):

select instr('Corporate Floor', 'or', 3, 2);  -- gives 14
select instr('Corporate Floor', 'or', -3, 2); -- gives 2

Non ci sono reverse() funzione in Postgres 8.2. Puoi usare questo:

-- only for Postgres 8.4 or earlier!
create or replace function reverse(str text)
returns text language plpgsql immutable
as $$
declare
    i int;
    res text = '';
begin
    for i in 1..length(str) loop
        res:= substr(str, i, 1) || res;
    end loop;
    return res;
end $$;