平时工作中可能会遇到当试图对库表中的某一列或几列创建唯一索引时,系统提示 ORA-01452 :不能创建唯一索引,发现重复记录。
下面总结一下几种查找和删除重复记录的方法(以表schoolclass为例):
表schoolclass的结构如下:
SQL> desc schoolclass;
Name Type Nullable Default Comments
------ ------------ -------- ------- --------
ID VARCHAR2(10) Y
GRADE VARCHAR2(10) Y
CLASSS VARCHAR2(10) Y
删除重复记录的方法原理:
(1).在Oracle中,每一条记录都有一个rowid,rowid在整个数据库中是唯一的,rowid确定了每条记录是在Oracle中的哪一个数据文件、块、行上。
(2).在重复的记录中,可能所有列的内容都相同,但rowid不会相同,所以只要确定出重复记录中那些具有最大rowid的就可以了,其余全部删除。
重复记录判断的标准是:
id,grade和classs这三列的值都相同才算是重复记录。
经查看表schoolclass总共有10条记录:
SQL> select * from schoolclass;
ID GRADE CLASSS
---------- ---------- ----------
1 1 1
1 1 1
1 1 1
1 1 1
2 2 2
2 2 2
3 3 3
3 3 3
4 5 6
7 8 9
10 rows selected
一、查找重复记录的几种方法:
(1).SQL> select * from schoolclass group by id,grade,classs having count(*) >1;
ID GRADE CLASSS
---------- ---------- ----------
1 1 1
2 2 2
3 3 3
(2).SQL> select distinct * from schoolclass;
ID GRADE CLASSS
---------- ---------- ----------
1 1 1
2 2 2
3 3 3
4 5 6
7 8 9
(3).SQL> select * from schoolclass a where rowid=(select max(rowid) from schoolclass where id=a.id and grade=a.grade and classs=a.classs);
ID GRADE CLASSS
---------- ---------- ----------
1 1 1
2 2 2
3 3 3
4 5 6
7 8 9
二、删除重复记录的几种方法:
(1).适用于有大量重复记录的情况(在id,grade和classs列上建有索引的时候,用以下语句效率会很高):
SQL>delete from schoolclass where (id,grade,classs) in (select id,grade,classs from schoolclass group by id,grade,classs having count(*)>1) and rowid not in
(select min(rowid) from schoolclass group by id,grade,classs having count(*)>1);
(2).适用于有少量重复记录的情况(注意,对于有大量重复记录的情况,用以下语句效率会很低):
SQL>delete from schoolclass a where a.rowid!=(select max(rowid) from schoolclass b where a.id=b.id and a.grade=b.grade and a.classs=b.classs);
SQL>delete from schoolclass a where a.rowid<(select max(rowid) from schoolclass b where a.id=b.id and a.grade=b.grade and a.classs=b.classs);
(3).适用于有少量重复记录的情况(临时表法):
SQL>create table test as select distinct * from schoolclass; (建一个临时表test用来存放重复的记录)
SQL>truncate table schoolclass; (清空schoolclass表的数据,但保留schoolclass表的结构)
SQL>insert into schoolclass select * from test; (再将临时表test里的内容反插回来)