编写一个 SQL 查询,查找 Person 表中所有重复的电子邮箱。
示例:
+----+---------+
| Id | Email |
+----+---------+
| 1 | a@b.com |
| 2 | c@d.com |
| 3 | a@b.com |
+----+---------+
根据以上输入,你的查询应返回以下结果:
+---------+
| Email |
+---------+
| a@b.com |
+---------+
说明:所有电子邮箱都是小写字母。
链接:https://leetcode-cn.com/problems/duplicate-emails
解法一:
-- 解法一:
select Email
from Person as P
group by Email
having count(Id) > 1
解法二:
select distinct P1.Email
from Person as P1 join Person as P2 on (P1.Id != P2.Id and P1.Email = P2.Email)
解法三:这种解法效率低
select distinct P1.Email
from Person as P1
where 1 < (
select count(*)
from Person as P2
where P1.email = P2.email
);
解法四:这种解法效率低
select Email
from(
select Email, count(Email) num
from Person
group by Email
) t
where num > 1;