我需要在插入查询中检查重复任何字段,例如名字,如果此表中不存在,则插入新行并返回当前插入的 id,否则如果表中存在名字,则返回零作为重复
不使用触发器、函数和过程
没有“插入查询”之类的东西。
实现此类要求的正常方法是使用数据完整性约束:
alter table your_table
add constraint your_table_uk unique (first_name)
/
如果您尝试插入重复记录,这将引发任何异常。
要获取当前插入的 ID:
insert into your_table (id, first_name)
values (your_seq.nextval, 'SAM-I-AM')
returning id
/
您说您不想使用函数或过程,但如果提交first_name
的是重复项,则返回 0 的唯一方法是编程:
create or replace function new_record (p_name your_table.first_name%type)
return your_table.id%type
is
return_value your_table.id%type;
begin
begin
insert into your_table (id, first_name)
values (your_seq.nextval, p_first_name)
returning id into return_value;
exception
when dup_val_on_index then
return_value := 0;
end;
return return_value;
end;