oracle 多表 关联 更新
先看例子
select t.*, t.rowid from T1 t;
select t.*, t.rowid from T2 t;
错误示范:
update t1 set t1.money = (select t2.money from t2 where t2.name = t1.name);
结果:
因更新条件不够,可以看到name不相等的money为空了,所以要排除name不相等的情况,只更name相等的
方法一:update
update t1 set t1.money = (select t2.money from t2 where t2.name = t1.name)
where exists (select 1 from t2 where t2.name = t1.name);
方法二:内联视图更新
update (select t1.money money1,t2.money money2 from t1,t2 where t1.name = t2.name) tset t.money1 = t.money2;
注意: 括号里通过关联两表建立一个视图,set中设置好更新的字段。这个解决方法比写法较直观且执行速度快。但表t2的主键一定要在where条件中,并且是以“=”来关联被更新表,否则报错误:ORA-01779: 无法修改与非键值保存表对应的列。
方法三:merge into更新
merge into t1using (select t2.name,t2.money from t2) ton (t.name = t1.name)when matched then update set t1.money = t.money;
方法四:快速游标更新法
(参考:https://www.cnblogs.com/jingbf-BI/p/4909612.html)
begin for cr in (查询语句) loop –-循环 --更新语句(根据查询出来的结果集合) endloop; --结束循环 end; oracle支持快速游标,不需要定义直接把游标写到for循环中,这样就方便了我们批量更新数据。再加上oracle的rowid物理字段(oracle默认给每个表都有rowid这个字段,并且是唯一索引),可以快速定位到要更新的记录上。
例:
begin
for cr in (select a.rowid,b.join_state from t_join_situation a,t_people_info bwhere a.people_number=b.people_number anda.year='2011'and a.city_number='M00000'and a.town_number='M51000')
loopupdate t_join_situation set join_state=cr.join_state whererowid = cr.rowid;
end loop;
end;
结论 方案 建议 标准update语法 单表更新或较简单的语句采用使用此方案更优。 inline view更新法 两表关联且被更新表通过关联表主键关联的,采用此方案更优。 merge更新法 两表关联且被更新表不是通过关联表主键关联的,采用此方案更优。 快速游标更新法 多表关联且逻辑复杂的,采用此方案更优。