leetcode数据库简单题 —— 3与4

  • 题目描述

Employee 表包含所有员工,他们的经理也属于员工。每个员工都有一个 Id,此外还有一列对应员工的经理的 Id。

+----+-------+--------+-----------+
| Id | Name  | Salary | ManagerId |
+----+-------+--------+-----------+
| 1  | Joe   | 70000  | 3         |
| 2  | Henry | 80000  | 4         |
| 3  | Sam   | 60000  | NULL      |
| 4  | Max   | 90000  | NULL      |
+----+-------+--------+-----------+

给定 Employee 表,编写一个 SQL 查询,该查询可以获取收入超过他们经理的员工的姓名。在上面的表格中,Joe 是唯一一个收入超过他的经理的员工。

+----------+
| Employee |
+----------+
| Joe      |
+----------+

做法:

select a.Name as Employee from Employee as a left join Employee as b on a.ManagerId = b.Id where a.Salary > b.Salary 

其他做法:

select a.Name as Employee from Employee as a inner join Employee as b on a.ManagerId = b.Id where a.Salary > b.Salary 

别人的做法,较高效:

SELECT b.Name AS Employee FROM Employee a INNER JOIN Employee b ON b.ManagerId IS NOT NULL AND b.ManagerId=a.Id AND b.Salary >a.Salary;

  • 对join的理解  

  • 参考链接:https://www.jianshu.com/p/e7e6ce1200a4

三个join的含义:

  • left join(左联接):返回左表中的所有记录以及和右表中的联接字段相等的记录。
  • right join(右联接):返回右表中的所有记录以及和左表中的联接字段相等的记录。
  • inner join(等值联接):只返回两个表中联接字段相等的记录。

下面将以atable、btable为例进行讲解。
atable:

leetcode数据库简单题 —— 3与4_第1张图片

tablea.png

btable:

leetcode数据库简单题 —— 3与4_第2张图片

tableB.png

left join

select * from atable as a
left join btable as b
on a.name = b.name;

结果如下:

 

leetcode数据库简单题 —— 3与4_第3张图片

leftjoin.png


可以看到,tableA join tableB的结果中,既有tableA中的所有记录,同时还包括了与右表中联接字段相等的记录,所以返回的记录总数一定是大于或等于tableA的记录总数。

 

right join的就不赘述了。

inner join

select * from atable as a
inner join btable as b
on a.name = b.name;

结果如下:

leetcode数据库简单题 —— 3与4_第4张图片

innerjoin.png

可以看到,tableA inner join tableB的结果中,只包含了tableA与tableB联接字段相等的记录。可以看作是tableA和tableB的交集。
作者:Alfred愿意
链接:https://www.jianshu.com/p/e7e6ce1200a4
来源:简书
简书著作权归作者所有,任何形式的转载都请联系作者获得授权并注明出处。

  • 题目描述

编写一个 SQL 查询,查找 Person 表中所有重复的电子邮箱。

示例:

+----+---------+
| Id | Email   |
+----+---------+
| 1  | [email protected] |
| 2  | [email protected] |
| 3  | [email protected] |
+----+---------+

根据以上输入,你的查询应返回以下结果:

+---------+
| Email   |
+---------+
| [email protected] |
+---------+

说明:所有电子邮箱都是小写字母。

做法

先找出有重复的邮箱的个数,将邮箱名称与对应的个数放入一张表中,Email、count(Email);再此在新生成的表中查询。

#select p.Email from Person as p where p.Email = Email and Id is mot p.Id
#select Email from Person where Email = select distinct p.Email from Person as p 
#select Email, count(Email) as num from Person group by Email

select Email from (select Email, count(Email)  as num from Person group by Email ) as p where num  > 1;

从这个中学到了什么?使用select语句会生成一个新的表,再对新的表进行查询时,一定要有表名并且一定要关注表名书写的位置。
另解:使用 GROUP BY 和 HAVING 条件

select Email from Person group by Email having count(Email) > 1

group by是对条件进行分组,having是对组中的数据进行条件查询

这个HAVING子句的作用就是为每一个组指定条件,像where指定条件一样,也就是说,可以根据你指定的条件来选择行。如果你要使用HAVING子句的话,它必须处在GROUP BY子句之后。

最近还没有激情与活力,我还能去北京吗?我还想去吗?生活就这样把我打到了吗?

你可能感兴趣的:(MySQL数据库)