在T-SQL中testing不等式

我刚刚在WHERE子句中遇到过这个问题:

AND NOT (t.id = @id) 

这与如何比较:

 AND t.id != @id 

或与:

 AND t.id <> @id 

我总是自己写后者,但显然有人认为是不同的。 一个人会比另一个更好吗? 我知道使用<>!=会破坏我可能使用的索引的任何希望,但是上面的第一种方法肯定会遭遇同样的问题?

这三个将得到相同的确切的执行计划

 declare @id varchar(40) select @id = '172-32-1176' select * from authors where au_id <> @id select * from authors where au_id != @id select * from authors where not (au_id = @id) 

这当然也取决于指数本身的select性。 我总是使用au_id <> @id自己

请注意,!=运算符不是标准的SQL。 如果你希望你的代码是可移植的(也就是说,如果你在意),那么用<>代替。

只是稍后的一些调整,

等号运算符在存在空值时生成未知值,并将未知值视为假。 不(未知)未知

在下面的例子中,我会试着说一对夫妇(a1,b1)是否等于(a2,b2)。 请注意,每列有3个值0,1和NULL。

 DECLARE @t table (a1 bit, a2 bit, b1 bit, b2 bit) Insert into @t (a1 , a2, b1, b2) values( 0 , 0 , 0 , NULL ) select a1,a2,b1,b2, case when ( (a1=a2 or (a1 is null and a2 is null)) and (b1=b2 or (b1 is null and b2 is null)) ) then 'Equal' end, case when not ( (a1=a2 or (a1 is null and a2 is null)) and (b1=b2 or (b1 is null and b2 is null)) ) then 'not Equal' end, case when ( (a1<>a2 or (a1 is null and a2 is not null) or (a1 is not null and a2 is null)) or (b1<>b2 or (b1 is null and b2 is not null) or (b1 is not null and b2 is null)) ) then 'Different' end from @t 

请注意,在这里我们期待结果:

  • 等于null
  • 不等于不等于
  • 不同的是不同的

但我们得到另一个结果

  • 等于是空的
  • 不等于空
  • 不同的是不同的

不会有任何性能问题,两种说法完全平等。

HTH