4

我正在执行一个查询,该查询在 where 子句中有多个列,其中包含多个值。我知道在 SQL 中,您可以使用 IN 条件来满足并获得正确的输出。teradata的方法是什么?

我在 Oracle 中的代码如下所示:

select td.country_code,td.phone_num 
from telephone_directory td 
where (td.country_code, td.phone_num) in ((91,1234567890),(44,1020304050),(1,998877446655))

这会打印出确切的结果,即 3 行

我在 teradata 中的查询看起来像这样

select country_code ,phone_num  
from telephone_directory 
where (country_code in (91, 44, 1) and phone_num in( 1234567890, 1020304050, 998877446655)

然而,这会返回更多行:

country_code  phone_num  
91            1234567890
91            1020304050
44            1020304050
1             998877446655

注意:country_code 和电话号码的组合不是唯一的。

有没有办法像在 ORACLE 中那样在 teradata 中过滤掉它?

4

3 回答 3

3
select USER_TYPE,USER_ID
from USER_TABLE
where (USER_TYPE || USER_ID) in (('F6713'),('S1178'),('M5715'),('F8341'),('F1284'))
于 2015-04-22T17:20:13.550 回答
3

据我所知,Teradata 不支持您在 Oracle 中所做的“扩展”where 子句语法;您需要将条件指定为复合表达式:

select country_code ,phone_num
from telephone_directory
where (country_code=91 and phone_num=1234567890)
   or (country_code=44 and phone_num=1020304050)
   or (country_code=1  and phone_num=998877446655)
于 2013-03-06T21:38:36.603 回答
2

从逻辑上讲,您看到的 Teradata 的结果是正确的。您有一个带有多个国家代码的电话号码。以下 SQL 应该会产生您希望看到的结果:

select td.country_code,td.phone_num 
from telephone_directory td 
where (td.country_code, td.phone_num) 
   in ( SELECT 91 AS country_code_
             , 1234567890 AS phone_num_
         UNION 
        SELECT 44 AS country_code_
             , 1020304050 as phone_num_
         UNION
        SELECT 1 as country_code_
             , 998877446655 as phone_num_
      );

这也可以使用 WITH 子句或与括号组合在一起的 AND 语句的组合来重写,以产生正确的结果。

于 2013-03-06T15:01:54.300 回答