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

Inserimento in Oracle e recupero dell'ID sequenza generato

Espandendo un po 'le risposte di @Guru e @Ronnis, puoi nascondere la sequenza e farla sembrare più simile a un incremento automatico usando un trigger e avere una procedura che esegue l'inserimento per te e restituisce l'ID generato come uscita parametro.

create table batch(batchid number,
    batchname varchar2(30),
    batchtype char(1),
    source char(1),
    intarea number)
/

create sequence batch_seq start with 1
/

create trigger batch_bi
before insert on batch
for each row
begin
    select batch_seq.nextval into :new.batchid from dual;
end;
/

create procedure insert_batch(v_batchname batch.batchname%TYPE,
    v_batchtype batch.batchtype%TYPE,
    v_source batch.source%TYPE,
    v_intarea batch.intarea%TYPE,
    v_batchid out batch.batchid%TYPE)
as
begin
    insert into batch(batchname, batchtype, source, intarea)
    values(v_batchname, v_batchtype, v_source, v_intarea)
    returning batchid into v_batchid;
end;
/

È quindi possibile chiamare la procedura invece di eseguire un semplice inserimento, ad es. da un blocco anonimo:

declare
    l_batchid batch.batchid%TYPE;
begin
    insert_batch(v_batchname => 'Batch 1',
        v_batchtype => 'A',
        v_source => 'Z',
        v_intarea => 1,
        v_batchid => l_batchid);
    dbms_output.put_line('Generated id: ' || l_batchid);

    insert_batch(v_batchname => 'Batch 99',
        v_batchtype => 'B',
        v_source => 'Y',
        v_intarea => 9,
        v_batchid => l_batchid);
    dbms_output.put_line('Generated id: ' || l_batchid);
end;
/

Generated id: 1
Generated id: 2

È possibile effettuare la chiamata senza un blocco anonimo esplicito, ad es. da SQL*Plus:

variable l_batchid number;
exec insert_batch('Batch 21', 'C', 'X', 7, :l_batchid);

... e usa la variabile bind :l_batchid per fare riferimento al valore generato in seguito:

print l_batchid;
insert into some_table values(:l_batch_id, ...);