编写一个 SQL 查询,来删除 Person 表中所有重复的电子邮箱,重复的邮箱里只保留 Id 最小 的那个。
+----+------------------+
| Id | Email |
+----+------------------+
| 1 | john@example.com |
| 2 | bob@example.com |
| 3 | john@example.com |
+----+------------------+
Id 是这个表的主键。
例如,在运行你的查询语句之后,上面的 Person 表应返回以下几行:
+----+------------------+
| Id | Email |
+----+------------------+
| 1 | john@example.com |
| 2 | bob@example.com |
+----+------------------+
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/delete-duplicate-emails
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
提示:
- 执行 SQL 之后,输出是整个 Person 表。
- 使用 delete 语句。
开始答题
- 第一次实验
乍一看我以为只要删除重复的Email就好了
delete
from Person
where id in (
select min(id) from Person group by Email
)
delete + 子查询id
但是运行报了错。
You can't specify target table 'Person' for update in FROM clause
不能在FROM子句中为update指定目标表“Person”
- 第二次实验
delete
from Person
where id in (
select id from (
select min(id) as id from Person group by Email
) a
)
完美的错过了答案,该删的没删,不该删除的全删了。
- 第三次实验
delete
from Person
where id not in (
select id from (
select min(id) as id from Person group by Email
) a
)
总结:
- 无法在更新操作的同时,进行查询(借助临时表)。
- 有的时候反过来试一试。
- 我偷偷看过答案,但是大部分的思路都是自己写的。(只有not不是)。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/delete-duplicate-emails
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。