我试图评估多个列以节省一些键击(在这一点上,授予搜索的时间和精力早已否定了任何"好处"我会收到而不是多个不同的比较。
基本上,我有:
WHERE column1 = column2
AND column2 = column3
我想要:
WHERE column1 = column2 = column3
我发现了另一篇与切向相关的文章: Oracle SQL Syntax - Check multiple columns for IS NOT NULL
答案 0 :(得分:5)
使用:
x=all(y,z)
而不是
x=y and y=z
以上节省了1次击键(1/11 = 9% - 不多)。
如果列名更长,则可以节省更多:
这是35个字符长:
column1=column2 AND column2=column3
虽然这只有28个
column1=ALL(column2,column3)
但对于这个(95个字符):
column1=column2 AND column2=column3 AND column3=column4
AND column4=column5 AND column5=column6
您将获得43/95 =几乎50%的节省
column1=all(column2,column3,column4,column5,column6)
ALL
运算符是ANSII SQL的一部分,大多数数据库都支持它(Mysql,Postgresql,SQLServer等。
http://www.w3resource.com/sql/special-operators/sql_all.php
一个简单的测试用例,展示了它的工作原理:
create table t( x int, y int, z int );
insert all
into t values( 1,1,1)
into t values(1,2,2)
into t values(1,1,2)
into t values(1,2,1)
select 1 from dual;
select *
from t
where x = all(y,z);
X Y Z
---------- ---------- ----------
1 1 1
答案 1 :(得分:2)