在数据库的操作中,有时候我们需要对数据进行累加,如果没有就要创建,表数据备份或者同步的时候为了避免数据重复,可能需要判断数据是不是已经存在等,这些操作如果单独的先查询在判断,就有会有点麻烦,所以数据库有一个专门的语句merge,可以根据不通的条件对数据进行update,insert或是delete操作,语法如下:
merge into 表名
using (表名|视图|查询)
on 判断条件
when mathced then
update 表 set xxx=xxx
when not matched then
插入 删除等
比如我们有一张表的 App_Use_Wifi ,表中有三个字段,appid,date,wifiKb,表示一个app,每天使用多少流量,要对这个表每个月进行汇总,并保存到统计表中 stat_App_Use_Wifi ,应该怎做呢?如下:
merge into into stat_App_Use_Wifi stat
using (
--汇总数据
select appid,to_char(date,'yyyy-MM') as date ,sum(wifiKb) as wifikb
from App_Use_Wifi
where to_char(date,'yyyy-MM') = #{currentData}
group by appid,to_char(date,'yyyy-MM')
) temp1
-- 判断条件,看看表中是不是已经有了数据
on (
stat.appid = temp1.appid and stat.statDate = temp1.date
)
-- 如果匹配,说明有数据了就更新;
when matched then
update set wifikb = temp1.wifikb
--没有就插入
when not matched then
insert into stat_App_Use_Wifi(appid, statDate,wifiKb) values(temp1.appid,temp1.statedate,temp1.wifikb)
至此SQL就编写好了,只要每天或者每月的去跑任务就可以了。
当然我们实际应用中条件和字段要比这复杂的多,但是我做测试的时候怎么都不对,从来没有更新,只有增加,折腾了一个小时,才发现,原来oracle的判断条件不能有Null,null和null的比值用于都是FALSE,比如:
SELECT CASE WHEN NULL = NULL THEN '1' ELSE '2' END FROM DUAL;
结果:
所以如果比较的字段中有值为空的话,不能直接比较,可以用函数NVL来进行,像这样
SELECT CASE WHEN NVL(NUll,'1') = NVL(NUll,'1') THEN '1' ELSE '2' END FROM DUAL;
VL(NUll,'1') THEN '1' ELSE '2' END FROM DUAL;
即可
|