SQL – Remove Rows without Duplicate Column Values

We as a developer, often come across situations where we have to work on database related stuff. Mostly it is done when the client sends you its data in form of excel sheets and you push that data to database tables after some excel manipulations. I have also done it many times.

A very common problem faced in this approach is that it might result in duplicate rows at times because data sent is mostly from departments like HR and finance where people are not well aware of data normalization techniques :-).

1. Prepare Test Data and Expectation

We will use the Employee table where column names are id, name, department and email. We have to delete all rows which have duplicate NAME column values and retain only one row.

For example, if there are two rows with NAME as LOKESH, then one row will be deleted and only one row remains after the query execution.

The given below is the SQL script for generating the test data.

Create schema TestDB;

CREATE TABLE EMPLOYEE
(
    ID INT,
    NAME Varchar(100),
    DEPARTMENT INT,
    EMAIL Varchar(100)
);

INSERT INTO EMPLOYEE VALUES (1,'Anish',101,'anish@howtodoinjava.com');
INSERT INTO EMPLOYEE VALUES (2,'Lokesh',102,'lokesh@howtodoinjava.com');
INSERT INTO EMPLOYEE VALUES (3,'Rakesh',103,'rakesh@howtodoinjava.com');
INSERT INTO EMPLOYEE VALUES (4,'Yogesh',104,'yogesh@howtodoinjava.com');

--These are the duplicate rows

INSERT INTO EMPLOYEE VALUES (5,'Anish',101,'anish@howtodoinjava.com');
INSERT INTO EMPLOYEE VALUES (6,'Lokesh',102,'lokesh@howtodoinjava.com');

2. SQL Query to RemveDuplicate Rows

DELETE e1 FROM EMPLOYEE e1, EMPLOYEE e2 WHERE e1.name = e2.name AND e1.id > e2.id;

Above SQL query will delete rows where the name field is duplicate and only those unique rows will be retained where the name is unique and the ID field is lowest.

For example rows with ID 5 and 6 will be deleted and rows with 1 and 2 will be retained.

delete-duplicate-rows-in-mysql-6630200

If you want to retain rows with the latest generated ID values, then reverse the condition in where clause to e1.id < e2.id like this:

DELETE e1 FROM EMPLOYEE e1, EMPLOYEE e2 WHERE e1.name = e2.name AND e1.id > e2.id;

If you want to compare multiple columns then add them in the WHERE clause.

Please execute the above (or modified) query first on test data always to make sure it is producing the expected output.

Happy Learning !!

14 Comments
Newest
Oldest Most Voted
Inline Feedbacks
View all comments

Comments are closed for this article!

About Us

HowToDoInJava provides tutorials and how-to guides on Java and related technologies.

It also shares the best practices, algorithms & solutions and frequently asked interview questions.