Oracle数据库,查询某表中不包含在子表中的数据,子表中数据按特定条件来源于该父表,SQL命令如
select * from a_table a where a.id not in (select id from b_table)
a_table父表,b_table子表,a和b表都有id列,b的id来源于a,要求a表中id不包含在b表id中的数据,但用not in效率太低,所以可以改为
select * from a_table a,b_table b where a.id=b.id(+) and b.id is null
我喜欢这个,快!
或者是
select * from a_table a where not exists(select 1 from b_table b where b.id=a.id)
这个也行,比起in来使用了索引,效率要高,但是可能会出现重复记录,所以可以加上select distinct仅列出不同的值,即
select distinct * from a_table a where not exists(select 1 from b_table b where b.id=a.id)
有关in和exists的区别,“EXISTS,Oracle会首先检查主查询,然后运行子查询直到它找到第一个匹配项。IN,在执行子查询之前,系统先将主查询挂起,待子查询执行完毕,存放在临时表中以后再执行主查询。”
还有一种高效率的写法:
select * from a_table a where a.id in (select id from a_table minus select id from b_table)
虽然也是用in,但是使用了minus求两表差集,速度上比用exists还要快(以上有关速度的描述仅针对我的数据库测试而得)。
>> 除非说明均为原创,如转载请注明来源于http://www.stormcn.cn/post/1302.html