2024-10-17 12:42:35
exists可以说是oracle数据库开发中比较常见的用法,用exists可以提高sql的效率,可以取代in。
比如 a,b 关联列为 a.id = b.id,现在要取 a 中的数据,其中id在b中也存在:
select * from a where exists(select 1 from b where a.id = b.id)
现在要取 a 中的数据,其中id在b中 不存在:
select * from a where not exists(select 1 from b where a.id = b.id)
用法详解
exists是判断exits后面的
select 1 from dual where exists (select 1 from dual where 2=1);
上面的情况肯定是没有记录。
select 1 from dual where exists (select 1 from dual where 1=1);
上面的情况是有记录返回的。
判断另外的表中是否包含某个表的
select * from table_test a
where exists (select 1 from scott.carol_tmp where pps_master=a.pps_master);
这个sql是要检查table_test中的pps_master是否在carol_tmp中。其实用in也可以实现同样的效果,但是in的话效率要低些,特别是碰上一些大表。用exists和in的性能就体现出来了。
2024-10-17 18:11:18
一般用做条件判断,可以防止where的条件语句中,也可以放在case when的条件语句中。exits一般就是判断后面所跟的子查询是否有记录,如果有记录存在exists就为true,否则为false。一般格式:
exists (select ....)
例如:
select 'true' as val from dual
where exists (select 1 from dual);
2024-10-17 21:07:27
2024-10-17 19:43:13