首页 > 开发 > 综合 > 正文

了解一下NULLs怎样影响IN和exists

2024-07-21 02:06:20
字体:
来源:转载
供稿:网友


如果你的数据库设计在任何一栏中都允许null值的话,你需要了解一下,在你的查询语句中,不同的子句是怎样对待这一问题的。
  
  从表面上看,可能显示出这样的情形,即sql子句in与exists可以互换。然而,在处理null值时,它们的表现截然不同,而且得到的结果也很可能不同。问题源于这样一个事实,即在一个oracle数据库中,一个null值意味着未知,因此,对一个null值的任何比较或操作也都是无效的,而任何返回null的测试也都被忽视了。例如,以下这些查询语句都不会返回任何行:
  
  select 'true' from dual where 1 = null;
  
  select 'true' from dual where 1 != null;
  
  值1既不能说是等于null,也不能说是不等于null。只有是null的时候才会返回一个真正的null值并返回一行。
  
  select 'true' from dual where 1 is null;
  
  select 'true' from dual where null is null;
  
  当你使用in时,相当于你告诉sql接受一个值,并将它与某个清单中使用=的每一个值或一组值进行比较。只要存在了任何null值,就不会返回任何行,纵使两个值都是null也不行。
  
  select 'true' from dual where null in (null);
  
  select 'true' from dual where (null,null) in ((null,null));
  
  select 'true' from dual where (1,null) in ((1,null));
  
  一个in从功能上等同于=any子句:
  
  select 'true' from dual where null = any (null);
  
  select 'true' from dual where (null,null) = any ((null,null));
  
  select 'true' from dual where (1,null) = any ((1,null));
  
  当你使用一种与exists等同的格式时,sql会计算行数,却忽视子查询中的值,就算你返回null也一样。
  
  select 'true' from dual where exists (select null from dual);
  
  select 'true' from dual where exists (select 0 from dual where null is null);
  
  从逻辑上看,in与exists是一样的。in子句在外部查询中比较子查询返回的值,并过滤掉行;exists子句在子查询内部比较那些值并过滤掉行。在出现null值的情况下,作为结果而出现的那些行是相同的。
  
  selectename from emp where empno in (select mgr from emp);
  
  selectename from emp e where exists (select 0 from emp where mgr = e.empno);
  
  不过,当逻辑被转变成使用not in和not exists时,问题就出现了,这两个语句会返回不同的行(第一个查询会返回0行;第二个返回意想的数据-它们是不同的查询):
  
  selectename from emp where empno not in (select mgr from emp);
  
  selectename from emp e where not exists (select 0 from emp where mgr =e.empno);
  
  not in子句实际上与用=比较每一个值相同,如果任何一个测试为false 或null的话,它就会失败。例如:
  
  select 'true' from dual where 1 not in (null,2);
  
  select 'true' from dual where 1 != null and 1 != 2;
  
  select 'true' from dual where (1,2) not in ((2,3),(2,null));
  
  select 'true' from dual where (1,null) not in ((1,2),(2,3));
  
  这些查询不会返回任何行。而第二个更值得怀疑,1!=null是null,因此对整个where条件来说都是错误的。它们会这样运行:
  
  select 'true' from dual where 1 not in (2,3);
  
  select 'true' from dual where 1 != 2 and 1 != 3;
  
  只要你在结果中阻止系统返回null,在这之前你还是可以使用not in查询(同样,这些都能运行,不过我假定empno不是null,在我们这个案例中,这是一个很好的假设):
  
  selectename from emp where empno not in (select mgr from emp where mgr is not null);
  
  selectename from emp where empno not in (select nvl(mgr,0) from emp);
  
  由于了解了in,exists,not in,以及not exists之间的差别,当一个子查询的数据中出现null时,你就可以避免一个非常普遍的问题了。
发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表