이 기사에서는 Oracle에 대한 관련 지식을 제공합니다. 데이터 정리 중에 자주 제거되는 테이블의 중복 데이터를 주로 소개합니다. 그러면 Oracle에서는 이를 어떻게 처리해야 할까요? 함께 살펴보시고, 모두에게 도움이 되었으면 좋겠습니다.
추천 튜토리얼: "Oracle Video Tutorial"
create table nayi224_180824(col_1 varchar2(10), col_2 varchar2(10), col_3 varchar2(10)); insert into nayi224_180824 select 1, 2, 3 from dual union all select 1, 2, 3 from dual union all select 5, 2, 3 from dual union all select 10, 20, 30 from dual ; commit; select*from nayi224_180824;
COL_1 | COL_2 | COL_3 |
---|---|---|
1 | 2 | 3 |
1 | 2 | 3 |
5 | 2 | 3 |
10 | 20 | 30 |
select distinct t1.* from nayi224_180824 t1;
COL_1 | COL_2 | COL_3 |
---|---|---|
10 | 20 | 30 |
1 | 2 | 3 |
5 | 2 | 3 |
모든 쿼리 열만 중복 제거할 수 있기 때문에 방법이 매우 제한적입니다. col_2 및 col3의 중복을 제거하려는 경우 결과 집합에는 col_2 및 col_3 열만 있을 수 있고 col_1은 있을 수 없습니다.
select distinct t1.col_2, col_3 from nayi224_180824 t1
COL_2 | COL_3 |
---|---|
2 | 3 |
20 | 30 |
하지만 그것은 또한 글쓰기 방식을 이해하는 가장 간단하고 쉬운 방법이기도 합니다.
select * from (select t1.*, row_number() over(partition by t1.col_2, t1.col_3 order by 1) rn from nayi224_180824 t1) t1 where t1.rn = 1 ;
COL_1 | COL_2 | COL_3 | RN |
---|---|---|---|
1 | 2 | 3 | 1 |
10 | 20 | 30 | 1 |
작성하기가 훨씬 번거롭지만 유연성이 더 뛰어납니다.
select * from nayi224_180824 t where (t.col_2, t.col_3) in (select t1.col_2, t1.col_3 from nayi224_180824 t1 group by t1.col_2, t1.col_3 having count(1) > 1)
COL_2 | COL_3 | |
---|---|---|
2 | 3이 있는 모든 중복 행을 찾습니다. | |
2 | 3 | |
2 | 3 |
카운트 오버
select * from (select t1.*, count(1) over(partition by t1.col_2, t1.col_3) rn from nayi224_180824 t1) t1 where t1.rn > 1 ;
COL_2 | COL_3 | RN | |
---|---|---|---|
2 | 3 | 31 | |
3 | 3 | 5 | |
3 | 3 |
delete from nayi224_180824 t where t.rowid in ( select rid from (select t1.rowid rid, count(1) over(partition by t1.col_2, t1.col_3) rn from nayi224_180824 t1) t1 where t1.rn > 1);위 문장을 약간만 수정하세요. 중복 데이터를 삭제하고 하나만 유지 분석 함수 방법
delete from nayi224_180824 t where t.rowid in (select rid from (select t1.rowid rid, row_number() over(partition by t1.col_2, t1.col_3 order by 1) rn from nayi224_180824 t1) t1 where t1.rn > 1);
delete from nayi224_180824 t where t.rowid not in (select max(rowid) from nayi224_180824 t1 group by t1.col_2, t1.col_3);효율성을 높이기 위해 유연성을 희생했습니다. 추천 튜토리얼: "
Oracle Video Tutorial
"위 내용은 Oracle 데이터베이스에서 중복 데이터를 제거하는 일반적인 방법을 요약하고 구성합니다.의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!