I have sql table but, some value added more than once, I need to delete one of them. Can you give me a simple query?
Asked
Active
Viewed 612 times
0
-
This _must_ be a multiple duplicate. – John Saunders Apr 02 '09 at 04:27
5 Answers
7
From here. If you don't already have an "ID" field that uniquely identifies each row, you'll need to create one for this to work (you can always just drop the column after you are done):
DELETE
FROM MyTable
WHERE ID NOT IN
(
SELECT MAX(ID)
FROM MyTable
GROUP BY DuplicateColumn1, DuplicateColumn2, DuplicateColumn2)
Also, do a search on this site for "delete duplicate rows sql server" and you'll see that this question has already been answered many times here.

Eric Petroelje
- 59,820
- 9
- 127
- 177
-
One such link in SO: http://stackoverflow.com/questions/18932/sql-how-can-i-remove-duplicate-rows – alextansc Mar 10 '09 at 12:55
-
+1 for being a correct answer, commenting on the referential integrity problem and teaching me something new all in one go. – Lieven Keersmaekers Mar 10 '09 at 13:16
2
DECLARE @Duplicates TABLE (AValue VARCHAR(32))
INSERT INTO @Duplicates VALUES ('No Duplicate')
INSERT INTO @Duplicates VALUES ('Duplicate')
INSERT INTO @Duplicates VALUES ('Duplicate')
SELECT ID = IDENTITY(INT, 1, 1), *
INTO #Duplicates
FROM @Duplicates
DELETE FROM #Duplicates
FROM #Duplicates d
INNER JOIN (
SELECT ID = MIN(ID)
FROM #Duplicates
GROUP BY AValue
HAVING COUNT(*) > 1
) id ON id.ID = d.ID
DELETE FROM @Duplicates
INSERT INTO @Duplicates
SELECT AValue FROM #Duplicates
DROP TABLE #Duplicates
SELECT * FROM @Duplicates

Lieven Keersmaekers
- 57,207
- 13
- 112
- 146
1
;WITH tempTable AS
(
SELECT ROW_NUMBER() OVER (PARTITION BY Column1 ORDER BY Column2 ) AS rownumber,*
FROM @Table
)
DELETE FROM tempTable WHERE rownumber > 1
This is taken from the article link mentioned in one of the answers but just to save someone sometime in the future..

coder net
- 3,447
- 5
- 31
- 40
0
Use:
Set RowCount 1
Then run your delete sql
This will delete 1 row, regardless if there are multiple rows matching.
Then either close the query window, or use Set RowCount 0 to reset it.

Bravax
- 10,453
- 7
- 40
- 68
0
- Create temporary table with the same schema
- INSERT INTO temptable SELECT DISTINCT * FROM oldtable
- DELETE FROM oldtable
- INSERT INTO oldtable SELECT * FROM temptable
- DROP temptable
And don't forget:
- Refactor your tables to not allow this to happen again

Ferdinand Beyer
- 64,979
- 15
- 154
- 145