182.编写解决方案来报告所有重复的电子邮件。 请注意,可以保证电子邮件字段不为 NULL
建表插入数据:
#建表插入数据
Create table If Not Exists Person (id int, email varchar(255))
Truncate table Person
insert into Person (id, email) values ('1', 'a@b.com')
insert into Person (id, email) values ('2', 'c@d.com')
insert into Person (id, email) values ('3', 'a@b.com')
思路:
用窗口函数计算每个email的数量,再计算email数量大于1的,就是重复的电子邮件
画图分析:
代码实现:
#用窗口函数计算每个email的数量,再计算email数量大于1的,就是重复的电子邮件
select distinct email,count(email ) over (partition by email) count from person;
#最终代码
select email from (select distinct email,count(email ) over (partition by email) count from person) a where a.count>1;