0

编辑:很抱歉在此之前没有提及 postgres 8.3 实现。

我有一张今天建造的四列表格。

Source_IP, Destination_IP, user_type, ut_bool

user_type列不断获得新条目,因此我想将其与历史条目表进行比较,以查看它在相关日期是否是新条目。,可以被认为是主source_ipdestination_Ip

10.1.1.2, 30.30.30.1, type1, 0
10.1.1.2, 30.30.30.1, type4, 1
10.1.1.2, 30.30.30.4, type5, 0
10.1.1.2, 30.30.30.4, type3, 0
10.1.1.2, 30.30.50.9, type2, 0
10.1.1.4, 30.30.30.4, type4, 0
10.1.1.4, 30.30.30.4, type3, 1

source_ip, destination_ip如果至少一对旁边有一个 1 ,我无法将 1 返回给给定的一组 ( ) 对的列source_ip,destination_ip, user_type,例如我想得到

10.1.1.2, 30.30.30.1, 1
10.1.1.2, 30.30.30.4, 0
10.1.1.4, 30.30.30.4, 1

我不确定如何正确使用存在语句。

如何修复以下查询?

select source_ip, destination_ip,
(
select
case when exists 
(select true from table
where ut_bool =1)
then '1'
else '0' end
) as ut_new
from
table;

我的查询不断返回,因为我没有正确使用存在语句:

10.1.1.2, 30.30.30.1, 0
10.1.1.2, 30.30.30.4, 0
10.1.1.4, 30.30.30.4, 0
4

2 回答 2

3

我建议修改您的 SQL 语句:

SELECT SOURCE_IP,
  DESTINATION_IP,
  CASE SUM(UT_BOOL)
    WHEN 0
    THEN 0
    ELSE 1
  END AS UT_NEW
FROM test_table_name
GROUP BY SOURCE_IP,
  DESTINATION_IP;

在您的测试数据上执行返回:

10.1.1.2    30.30.50.9  0
10.1.1.2    30.30.30.1  1
10.1.1.2    30.30.30.4  0
10.1.1.4    30.30.30.4  1

在 Oracle 和 Postgres 上测试和工作

于 2012-12-05T08:27:59.240 回答
2
SELECT Source_IP, Destination_IP
    , MAX(ut_bool) As the_value
FROM ztable
GROUP BY Source_IP, Destination_IP
    ;
于 2012-12-08T00:00:09.897 回答