在MySQL中删除除ID之外的所有重复行的最佳方法?

时间:2011-10-23 20:40:19

标签: php mysql sql create-table

似乎不是重复因为这个问题不同。

我的表有3列:id,col2,col3。我正在使用此方法删除重复的行:

create table temp_table as
select * from my_table where 1 group by col2,col3;

drop table my_table;    
rename table temp_table to my_table;

然而,my_table实际上有很多列,而不仅仅是3,在查询中列出了很多。所以我想问一下,我们是否可以通过以下方式进行查询:

create table temp_table as
select * from my_table where 1 group by * except id;

drop table my_table;    
rename table temp_table to my_table;

有可能吗?

2 个答案:

答案 0 :(得分:2)

您可以执行子查询以确保您获得的内容是唯一的。此查询将为您提供重复项(保留ID较低的副本):

SELECT id
  FROM duplicates d1
 WHERE EXISTS (
    SELECT 1
      FROM duplicates d2
     WHERE d2.col2 = d1.col2
       AND d2.col3 = d1.col3
       AND d2.id < d1.id
)

将它们放入临时表(或将它们加载到PHP)并向DELETE运行第二个查询。 (你在阅读时无法修改表格)

执行WHERE NOT EXISTS以获取要保留的元素的ID(同样,保留ID最低的元素)。

答案 1 :(得分:0)

我找到了一种方法来“删除除ID之外的所有重复行”,但它不是纯粹的MySQL,需要额外的PHP代码并且该死的:

$mysqli = mysqli_connect(...);

function remove_duplicated_rows($table_name) {
  global $mysqli;

  //get column list
  $query = "describe $table_name";
  $result = mysqli_query($mysqli,$query);
  $rows = mysqli_fetch_all($result,MYSQLI_ASSOC);
  $columns = array();
  foreach ($rows as $row)
    if (strtolower($row["Field"])!="id")
      array_push($columns,$row["Field"]);
  $column_list = implode(",",$columns);

  //create temp table
  $temp_table = $table_name."_temporary_table";
  $query = 
  "create table $temp_table as ".
  "select * from $table_name where 1 group by $column_list";
  mysqli_query($mysqli,$query);

  //drop old table
  $query = "drop table $table_name";
  mysqli_query($mysqli,$query);

  //rename temp table to old table
  $query = "rename table $temp_table to $table_name";
  mysqli_query($mysqli,$query);
}