1

我的 SQL 查询返回 4 列“A”、“B”、“C”、“D”的结果。

假设结果是:

A    B    C    D
1    1    1    1
1    1    1    2
2    2    2    1

是否可以获取每行中包含“A”、“B”、“C”列的重复行数。

例如,预期的结果是:

A    B    C    D    cnt
1    1    1    1    2
1    1    1    2    2
2    2    2    1    1

我尝试过使用 count(*)。但它返回我查询返回的总行数。另一个信息是,在示例中我只提到了 3 列,我需要根据这些列检查计数。但我的实际查询有这样的 8 列。数据库中的行数很大。所以我认为 group by 在这里不是一个可行的选择。任何提示都是可观的。谢谢。

4

3 回答 3

8

也许为时已晚,但可能作为 oracle 中的分析函数(又名窗口函数)的计数对您有所帮助。当我正确理解您的要求时,这应该可以解决您的问题:

create table sne_test(a number(1)
                 ,b number(1)
                 ,c number(1)
                 ,d number(1)
                 ,e number(1)
                 ,f number(1));

insert into sne_test values(1,1,1,1,1,1);
insert into sne_test values(1,1,2,1,1,1);
insert into sne_test values(1,1,2,4,1,1);
insert into sne_test values(1,1,2,5,1,1);
insert into sne_test values(1,2,1,1,3,1);
insert into sne_test values(1,2,1,2,1,2);
insert into sne_test values(2,1,1,1,1,1);

commit;

 SELECT a,b,c,d,e,f, 
       count(*) over (PARTITION BY a,b,c)
  FROM sne_test;

 A  B  C  D  E  F AMOUNT
-- -- -- -- -- -- ------
 1  1  1  1  1  1      1
 1  1  2  4  1  1      3
 1  1  2  1  1  1      3
 1  1  2  5  1  1      3
 1  2  1  1  3  1      2
 1  2  1  2  1  2      2
 2  1  1  1  1  1      1
于 2013-01-18T15:07:29.490 回答
5

要查找重复项,您必须根据键列对数据进行分组

select 
  count(*)
  ,empno 
from 
  emp
group by
  empno
having
  count(*) > 1;

empno即使每个类别(多个)存在多个记录,这也允许您聚合。

于 2014-09-06T06:35:40.770 回答
2

您必须使用一个子查询来获取按 A、B 和 C 分组的行数。然后将这个子查询再次与您的表(或您的查询)连接,如下所示:

select your_table.A, your_table.B, your_table.C, your_table.D, cnt
from
  your_table inner join
  (SELECT A, B, C, count(*) as cnt
   FROM your_table
   GROUP BY A, B, C) t
  on t.A = your_table.A
     and t.B = your_table.B
     and t.C = your_table.C
于 2012-12-08T09:18:01.430 回答