leetcode-mysql练习题总结:
老师指路->https://www.jianshu.com/u/989c55347e06
一、LeetCode175-组合两个表
问题:满足条件:无论 person 是否有地址信息,都需要基于上述两表提供 person 的以下信息:
FirstName, LastName, City, State
select
FirstName, LastName, City, State
from Person a
left join Address b
on a.PersonId = b.PersonId;
总结:1、left join 形式,确保无匹配情况下,person内容也完全显示
2、改名,显示内容为FirstName, LastName, City, State
3、本题数据库内容已写好,直接查询即可(笔试前多练习,熟悉解题过程)
二、LeetCode181-收入超过经理的员工
问题:查询可以获取收入超过他们经理的员工的姓名
select
a.Name as Employee
from
Employee a
left join
Employee b
on a.ManagerId=b.Id
where a.Salary > b.Salary;
总结:可分步骤分析解题
1、两表链接+条件
2、起别名
三、LeetCode176-第二高的薪水
方法1:排除法:
#找到最大值,排除它,再找一次最大值
#select max(Salary) from Employee ;
select max(Salary) as SecondHighestSalary
from Employee
where Salary<(select max(Salary) from Employee );
方法2:偏移法
#limit offset
select distinct Salary as SecondHighestSalary
from Employee
order by Salary desc
limit 1
offset 1;
#还要考虑到 第二名为空情况
#select ifnull((非空值),空值) as SecondHighestSalary;
select ifnull(
(select distinct Salary
from Employee
order by Salary desc
limit 1
offset 1
) ,null) as SecondHighestSalary ;
四、LeetCode183-从不订购的客户
问题:编写一个 SQL 查询,找出所有从不订购任何东西的客户。
select
a.Name as Customers
from Customers a
left join Orders b
on a.Id=b.CustomerId
where b.CustomerId is null;
总结:b.CustomerId=null 显示空值,b.CustomerId is null 显示名字
五、LeetCode182-统计重复邮箱
方法1:groupby+having
#使用 聚合函数做筛选,只能用having 不用where
select distinct Email
from Person group by Email
having count(Email)>1;
方法2:groupby + where
select Email from(
select Email ,count(Email) as num
from Person group by Email
) a where a.num>1;
总结:此处不用考虑 大小写转化
六、LeetCode196-删除重复电子邮箱
#先关联,选出关联后A.ID>B.ID情况即重复的情况,只保留ID最小的数据
select a.* from Person a , Person b
where a.Email = b.Email and a.Id>b.Id;
删除这种情况
delete a.* from Person a , Person b
where a.Email = b.Email and a.Id>b.Id;
七、LeetCode197-上升的温度
问题:给定一个 Weather 表,编写一个 SQL 查询,来查找与之前(昨天的)日期相比温度更高的所有日期的 Id。
select a.Id from Weather a
inner join Weather b
on a.Temperature > b.Temperature
and datediff(a.RecordDate,b.RecordDate) =1;
总结:自联,应用日期函数
八、LeetCode595-大的国家
问题:如果一个国家的面积超过300万平方公里,或者人口超过2500万,那么这个国家就是大国家。
编写一个SQL查询,输出表中所有大国家的名称、人口和面积。
方法一:where
select name ,population,area from World
where area>3000000 or population >25000000;
方法二:union
select name ,population,area from World
where area>3000000
union
select name ,population,area from World
where population >25000000;
九、LeetCode620-有趣的电影
问题:作为该电影院的信息部主管,您需要编写一个 SQL查询,找出所有影片描述为非 boring (不无聊) 的并且 id 为奇数 的影片,结果请按等级 rating 排列。
select * from cinema
where not(description ="boring ") and id%2 !=0 order by rating desc;
或者 mod(id,2)=1为奇数,=0为偶数
select * from cinema
where description !="boring " and mod(id,2)=1 order by rating desc;
十、LeetCode596-超过5名学生的课
问题:有一个courses 表 ,有: student (学生) 和 class (课程)。
请列出所有超过或等于5名学生的课。
Note:学生在每个课中不应被重复计算。
select class from courses
group by class having count( distinct student)>=5;