4

これは、まったく同じエントリが 2 つある姓と名をすべて表示します。

SELECT `firstname`,`lastname`,COUNT(*) AS Count 
FROM `people` 
GROUP BY `firstname`,`lastname`
HAVING Count = 2

これを LIMIT 付きの DELETE FROM WHERE ステートメントに変換して、各エントリの 1 つだけを削除し、他のエントリを残すにはどうすればよいですか。

わかりました、これは技術的な方法のようです。PHP の while ループで実行するだけです。

4

3 に答える 3

2

各重複の1つのレコードを含むテーブルを作成できます。次に、peopleテーブルからすべてのdupレコードを削除してから、dupレコードを再挿入します。

-- Setup for example
create table people (fname varchar(10), lname varchar(10));

insert into people values ('Bob', 'Newhart');
insert into people values ('Bob', 'Newhart');
insert into people values ('Bill', 'Cosby');
insert into people values ('Jim', 'Gaffigan');
insert into people values ('Jim', 'Gaffigan');
insert into people values ('Adam', 'Sandler');

-- Show table with duplicates
select * from people;

-- Create table with one version of each duplicate record
create table dups as 
    select distinct fname, lname, count(*) 
    from people group by fname, lname 
    having count(*) > 1;

-- Delete all matching duplicate records
delete people from people inner join dups 
on people.fname = dups.fname AND 
   people.lname = dups.lname;

-- Insert single record of each dup back into table
insert into people select fname, lname from dups;

-- Show Fixed table
select * from people;
于 2010-01-27T13:05:37.563 に答える
1

idなどの主キーがある場合は、次のことができます。

delete from people 
where id not in
(
      select minid from 
      (select min(id) as minid from people 
      group by firstname, lastname) as newtable
)

サブクエリselect min(id)...ビットは、特定の名と姓の組み合わせに対して一意の(idに基づく)行を取得します。次に、他のすべての行、つまり重複を削除します。mysqlのバグのため、サブクエリをラップする必要があります。そうしないと、次のことが可能になります。

delete from people 
where id not in
(
      select min(id) as minid from people 
      group by firstname, lastname
)

より良いでしょう:

delete people from 
people left outer join
(
  select min(id) as minid from people 
  group by firstname, lastname
) people_grouped
on people.first_name = people_grouped.first_name
and people.last_name = people_grouped.last_name
and people_grouped.id is null

サブクエリを回避します。

于 2010-01-27T13:05:18.657 に答える
0

新しいテーブルを作成し、一意のキーを (firstname,lastname) に追加します。次に、古いテーブルの行を新しいテーブルに挿入します。次に、テーブルの名前を変更します。

mysql> select * from t;
+-----------+----------+
| firstname | lastname |
+-----------+----------+
| A         | B        | 
| A         | B        | 
| X         | Y        | 
+-----------+----------+
3 rows in set (0.00 sec)

mysql> create table t2 like t;
Query OK, 0 rows affected (0.00 sec)

mysql> alter table t2 add unique key name(firstname,lastname);
Query OK, 0 rows affected (0.00 sec)
Records: 0  Duplicates: 0  Warnings: 0

mysql> insert ignore into t2 select * from t;
Query OK, 2 rows affected (0.00 sec)
Records: 3  Duplicates: 1  Warnings: 0


mysql> select * from t2;
+-----------+----------+
| firstname | lastname |
+-----------+----------+
| A         | B        | 
| X         | Y        | 
+-----------+----------+
2 rows in set (0.01 sec)
于 2010-01-27T13:24:42.183 に答える