在Oracle中,给出一个简单的数据表:
create table data (
id VARCHAR2(255),
key VARCHAR2(255),
value VARCHAR2(511));
假设我想“插入或更新”某个值。我有类似的东西:
merge into data using dual on
(id='someid' and key='testKey')
when matched then
update set value = 'someValue'
when not matched then
insert (id, key, value) values ('someid', 'testKey', 'someValue');
有比这更好的方法吗?这个命令似乎有以下缺点:
如果这是最好的方法,有没有办法在JDBC中设置两个参数两次?
答案 0 :(得分:20)
我不认为使用双重作为黑客攻击。为了摆脱绑定/打字两次,我会做类似的事情:
merge into data
using (
select
'someid' id,
'testKey' key,
'someValue' value
from
dual
) val on (
data.id=val.id
and data.key=val.key
)
when matched then
update set data.value = val.value
when not matched then
insert (id, key, value) values (val.id, val.key, val.value);
答案 1 :(得分:4)
我会在PL / SQL API中隐藏MERGE,然后通过JDBC调用它:
data_pkg.merge_data ('someid', 'testKey', 'someValue');
作为MERGE的替代方案,API可以:
begin
insert into data (...) values (...);
exception
when dup_val_on_index then
update data
set ...
where ...;
end;
答案 2 :(得分:2)
我更喜欢在插入之前尝试更新以节省必须检查异常。
update data set ...=... where ...=...;
if sql%notfound then
insert into data (...) values (...);
end if;
即使现在我们有合并声明,我仍然倾向于以这种方式进行单行更新 - 看起来更自然的语法。当然,在处理更大的数据集时, merge 确实自成一体。
答案 3 :(得分:-4)
使用存储过程