mysql学习之子查询优化

我爱海鲸 2022-02-17 10:27:13 暂无标签

简介子查询的优化以及相关案例

0、连接上一篇文章 mysql学习之常见的SQL查询

1、案例

   取所有不为掌门人的员工,按年龄分组!

   select age as '年龄', count(*) as '人数' from t_emp where id not in

   (select ceo from t_dept where ceo is not null) group by age;

如何优化?

   ①解决 dept 表的全表扫描,建立 ceo 字段的索引:

create index_idx_ceo on dept(ceo);

此时,再次查询:

②进一步优化,替换 not in。

上述 SQL 可以替换为:

select age as '年龄',count(*) as '人数' from emp e left join dept d on e.id=d.ceo where d.id is null group by age;

结论: 在范围判断时,尽量不要使用 not in 和 not exists,使用 left join on xxx is null 代替。

你好:我的2025