How to delete duplicate rows from a MySQL table

前端 未结 8 1736
悲哀的现实
悲哀的现实 2020-11-30 12:07

I have a MySQL table like:

ID, Col1, Col2, Col3, Col4, etc...

ID is a primary key and has been w

相关标签:
8条回答
  • 2020-11-30 12:20

    you can delete all the rows except one by using some function like Min(depends on db). Ex:

    delete from Table_Name
    where Id not in
    ( select min(Id)
    from  Table_Name
    group by ID, Col1, Col2, Col3, Col4);
    
    0 讨论(0)
  • 2020-11-30 12:20

    You can try this with the help of join : Like that way:

    DELETE e1 FROM emp_tbl AS e1 JOIN emp_tbl AS e2 WHERE 
    e1.Col1=e2.Col1 AND e1.Col2=e2.Col2 AND e1.Col3=e2.Col3 AND e1.Col4=e2.Col4
    AND e1.id < e2.id;
    
    0 讨论(0)
  • 2020-11-30 12:21

    You can run an alter query and achieve this:

    ALTER IGNORE TABLE tbl_1
    ADD UNIQUE INDEX unq_idx(col1, col2, col3);
    

    I cant guarantee it will retain the first record among the duplicates, but MySQL usually does that.

    0 讨论(0)
  • 2020-11-30 12:23
    DELETE DupRows.*
    FROM MyTable AS DupRows
       INNER JOIN (
          SELECT MIN(ID) AS minId, col1, col2
          FROM MyTable
          GROUP BY col1, col2
          HAVING COUNT(*) > 1
       ) AS SaveRows ON SaveRows.col1 = DupRows.col1 AND SaveRows.col2 = DupRows.col2
          AND SaveRows.minId <> DupRows.ID;
    

    Of course you have to extend col1, col2 in all three places to all columns.

    Edit: I just pulled this out of a script I keep and re-tested, it executes in MySQL.

    0 讨论(0)
  • 2020-11-30 12:25

    Without nested selects or temporary tables.

    DELETE  t1
    FROM    table_name t1, table_name t2
    WHERE   
                (t1.Col1 = t2.Col1 OR t1.Col1 IS NULL AND t2.Col1 IS NULL)
            AND (t1.Col2 = t2.Col2 OR t1.Col2 IS NULL AND t2.Col2 IS NULL)
            AND (t1.Col3 = t2.Col3 OR t1.Col3 IS NULL AND t2.Col3 IS NULL)
            AND (t1.Col4 = t2.Col4 OR t1.Col4 IS NULL AND t2.Col4 IS NULL)
            ...
            AND t1.ID < t2.ID;
    
    0 讨论(0)
  • 2020-11-30 12:26

    I'd do it following way, in MSSQL, but I think it should work with slight modifications in MySQL. Not executable, but should show the way.

    CREATE TEMPORARY TABLE #Table (Col1, Col2, Col3);
    INSERT INTO #Table (Col1, Col2, Col3) SELECT DISTINCT Col1, Col2, Col3 FROM Table;
    DELETE FROM Table;
    INSERT INTO Table (Col1, Col2, Col3) SELECT Col1, Col2, Col3 FROM #Table;
    DROP TABLE #Table;
    
    0 讨论(0)
提交回复
热议问题