0

我有一个名为 Table1 的表,如下所示:

ID  AccountNo     Trn_cd
1   123456           P
2   123456           R
3   123456           P
4   12345            P
5   111              R
6   111              R
7   5625             P

我想显示那些 accountNo 出现多次(重复)并且 trn_cd 至少同时具有 P 和 R 的记录。

在这种情况下,输出应该是这样的:

ID  AccountNo     Trn_cd
1   123456           P
2   123456           R
3   123456           P

我已经完成了这个 sql 但不是我想要的结果:

select * from Table1 
where AccountNo IN 
(select accountno from table1 
where trn_cd = 'P' or trn_cd = 'R' 
group by AccountNo having count(*) > 1) 

结果如下,其中 AccountNo 111 不应该出现,因为 111 没有 trn_cd P:

ID  AccountNo   Trn_cd
1   123456        P
2   123456        R
3   123456        P
5   111           R
6   111           R

任何的想法?

4

2 回答 2

1

为此使用聚合。要获取帐号:

select accountNo
from table1
having count(*) > 1 and
       sum(case when trn_cd = 'P' then 1 else 0 end) > 0 and
       sum(case when trn_cd = 'N' then 1 else 0 end) > 0

要获取帐户信息,请使用joinorin语句:

select t.*
from table1 t
where t.accountno in (select accountNo
                      from table1
                      having count(*) > 1 and
                             sum(case when trn_cd = 'P' then 1 else 0 end) > 0 and
                             sum(case when trn_cd = 'N' then 1 else 0 end) > 0
                     )
于 2013-03-27T15:36:24.853 回答
0

这个问题叫做Relational Division.

这可以通过过滤包含的记录来解决,P并对R每个AccountNo返回的记录进行计数,然后使用COUNT(DISTINCT Trn_CD) = 2.

SELECT  a.*
FROM    tableName a
        INNER JOIN
        (
            SELECT  AccountNo
            FROM    TableName
            WHERE   Trn_CD IN ('P','R')
            GROUP   BY AccountNo
            HAVING  COUNT(DISTINCT Trn_CD) = 2
        ) b ON a.AccountNO = b.AccountNo

输出

╔════╦═══════════╦════════╗
║ ID ║ ACCOUNTNO ║ TRN_CD ║
╠════╬═══════════╬════════╣
║  1 ║    123456 ║ P      ║
║  2 ║    123456 ║ R      ║
║  3 ║    123456 ║ P      ║
╚════╩═══════════╩════════╝

要获得更快的性能,请添加INDEXon 列AccountNo

于 2013-03-27T15:34:16.877 回答