MySQL子查询

分类:

多表关联或者表内字段关联时,或做相似功能判断时,往往会使用子查询来解决相应问题

1. 无关子查询:

内查询没有用到外查询的列,而且内查询可以单独运行.

2. 相关子查询:

内查询使用了外查询的列,而且内查询不能单独运行.

子查询的特点

子查询很灵活,可以解决很多其他查询方式不能解决的问题

子查询效率很低,其中相关子查询效率最低

子查询嵌套的层数越多,则效率越低

为什么相关子查询的效率极其低下?

内查询用到了外查询的列,每次查询行记录时都会迭代表格中

每一行的行记录,而这种迭代中产生的值都是动态生成的.

结论:

性能排序/优先使用

关联/分组查询>无关子查询>相关子查询

找出各个部门中大于他所在部门平均工资的员工名和工资

mysql>select e.first_name,e.salary from s_emp e

      where e.salary>(select avg(e1.salary) from s_emp e1         where e1.dept_id = e.dept_id);

1

2

e.id = dept_id = 41

确定e是否能够被查询出来,e.salary>select avg(e1.salary) from s_emp   e1 where e1.dept_id = 41

1

2

找出职称相同的员工

mysql>select first_name from s_emp where title

      in (select title from s_emp group by title having       count(*)>=2);

1

2

exists和not exists

在子查询中,使用在where字句,它只关心条件是否有存在的可能,

如果有可能,则返回true,反之则返回false

not exists与exists正好相反

找出与’Ben’同部门的员工

mysql>select e.first_name,e.dept_id from s_emp e

      where exists

      (select 1 from s_emp e1 where e1.first_name=‘Ben‘ and

      e.dept_id = e1.dept_id) and e.first_name<>‘Ben‘;

1

2

3

4

找出各个部门工资排名前二的员工

mysql>select e.first_name,e.salary,e.dept_id from s_emp e

      where exists

      (select 1 from s_emp e1 where e.dept_id = e1.dept_id and e1.salary>e.salary having count(*)<=1);

3

mysql>select e.first_name,e.salary,e.dept_id from s_emp e

      where not exists

      (select 1 from s_emp e1 where e.dept_id = e1.dept_id and e1.salary>e.salary having count(*)>1);

解题思路:本部门中比’我’工资高的员工不超过一个

找出各个部门工资最高的员工,解题思路:本部门中比’我’工资高的人没有*

mysql>select e.first_name,e.salary,e.dept_id from s_emp e

      where not exists

      (select 1 from s_emp e1 where e.dept_id = e1.dept_id

      and e1.salary>e.salary hav

相关推荐