T-SQL查询:慎用 IN 和 NOT IN

来源:互联网 发布:淘宝模特基本动作 编辑:程序博客网 时间:2024/05/16 07:29


[sql] view plain copy
  1. --  drop table father,son  
  2. create table father(fid int,name varchar(10),oid int)  
  3. create table son(sid int,name varchar(10),fid int)  
  4.   
  5.   
  6. insert into father(fid,name,oid)  
  7. values(1,'father',5),(2,'father',9),(3,'father',null),(4,'father',0)  
  8.   
  9. insert into son(sid,name,fid)  
  10. values(1,'son',2),(2,'son',2),(3,'son',3),(4,'son',null),(5,'son',null)  
  11.   
  12. select * from father  
  13. select * from son  



inexists差异开始测试吧,现在测试使用innot in 可能带来的“错误”。之所以错误,是因为我们总是以自然语言去理解SQL,却忽略了数学中的逻辑语法。不废话了,测试看看吧!


【测试一:in子查询】

[sql] view plain copy
  1. --返回在son中存在的所有father的数据  
  2.   
  3. --正确的写法:  
  4. select * from father where fid in(select fid from son)  
  5.   
  6. --错误的写法:  
  7. select * from father where fid in(select oid from son)  

说明:

两个查询都执行没有出错,但是第二个tsql的子查询写错了。子查询(select oid from son)实际单独执行会出错,因为表son不存在字段oid,但是在这里系统不会提示错误。而且father表有4行数据,所有子查询扫描了4次son表,但是第二个查询中,实际也只扫描了1次son表,也就是son表没有用到。

 

即使这样写也 不会出错:     select*fromfatherwherefidin(selectoid)

这个查询的意思是,表father中每行的fid与oid比较,相同则返回值。

 实际查询是这样的: select from father where fid oid


测试一中,fid in(select fid from son)子查询中包含null值,所以 fid  in(null)返回的是一个未知值。但是在刷选器中,false和unknown的处理方式类似。因此第一个子查询返回了正确的结果集。


【测试二:not  in子查询】

[sql] view plain copy
  1. --返回在son中不存在的所有father的数据  
  2.   
  3. --错误的写法:  
  4. select * from father where fid not in(select fid from son)  
  5.   
  6. --错误的写法:  
  7. select * from father where fid not in(select oid from son)  
  8.   
  9. --正确的写法:  
  10. select * from father where fid not in(select fid from son where fid is not null)  

 

说明:

查看select fid from son,子查询中有空值null,子查询中的值为(2,3,null),谓词fid in(2,3,null)永远不会返回false,只反会true或unknown,所以谓词fidnot in(2,3,null)只返回not true 或not unknown,结果都不会是true。所以当子查询存在null时,not in和not exists 在逻辑上是不等价的。

 

 

 

总结:

In  not inSQL语句中经常用到,尤其当子查询中有空值的时候,要谨慎考虑。因为即使写了“正确”的脚本,但是返回结果却不正确,也不出错。在不是很理解的情况下,最好使用 exists not exists来替换。而且exists查询更快一些,因为只要在子查询找到第一个符合的值就不继续往下找了,所以能用exists就用吧。

select *fromfatherawhereexists(select 1fromsonbwherea.fid=b.fid)

select * from father awherenotexists(select 1fromsonbwherea.fid=b.fid)

原创粉丝点击