47

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

AND NOT (t.id = @id)

这与以下相比如何:

AND t.id != @id

或与:

AND t.id <> @id

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

4

4 回答 4

43

这3个将获得相同的确切执行计划

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)

当然,这也取决于索引本身的选择性。我自己总是使用 au_id <> @id

于 2008-08-11T16:02:43.710 回答
31

请注意,!= 运算符不是标准 SQL。如果您希望您的代码可移植(也就是说,如果您关心的话),请改用 <>。

于 2008-08-11T16:01:42.200 回答
12

需要考虑的等于 null 的逻辑风险

当存在 null 并且未知值被视为 a 时,相等运算符生成一个未知值falseNot (unknown)还在unknown

在下面的示例中,我将询问一对夫妇(a1, b1)是否等于(a2, b2)。请注意,每列有 3 个值01NULL

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

请注意,在这里,我们期望的结果是:

  • 等于为空
  • 不等于不等于
  • 不一样才能不一样

但相反,我们得到另一个结果

  • Equal 是 null - 我们所期望的。
  • 不等于为空???
  • 不同就是不同——我们所期望的。
于 2010-05-20T15:25:54.903 回答
5

不会对性能造成影响,两种说法都是完全平等的。

高温高压

于 2008-08-11T15:58:48.507 回答