内连接查询顺序
首先看student
和exam
表的内容:
然后执行如下内连接查询:
explain select a.*,b.* from student a inner join exam b on a.uid=b.uid;
查询计划如下
由于a表记录数量少为小表做全表扫描(rows为6),然后到b表进行查询,用到了主键索引。
假如此时执行如下内连接查询:
explain select a.*,b.* from student a inner join exam b on a.uid=b.uid where b.cid=3;
由于通过where
条件过滤,b表的记录数量比a表少,故作为小表进行全表扫描,然后拿b.uid 与 a.uid匹配,查询计划如下:
同时,对于inner join如果将过滤条件写在where 后面和 on 连接条件里 ,效果同:
explain select a.*,b.* from student a inner join exam b on a.uid=b.uid where b.cid=3;
左外连接 left join
将左表做全表扫描,然后到右表匹配
右外连接 right join
将右表做全表扫描,然后到左表匹配
例子:查询没有考试的学生信息
如果用not in,sql 语句如下
select * from student where uid not in(select distinct uid from exam);
但是not in 对于索引命中率不高,所以不推荐,推荐采用 左连接方法:
select a.* from student a left join exam b on a.uid=b.uid where cid is null;
例子:外连接和where过滤条件
有如下sql代码:
select a.* from student a left join exam b on a.uid=b.uid where b.cid=3;
可以看出先走 where 过滤b表数据,用b表先扫描(这和左外连接意图不一致),这样就转变为内连接了(小表做全表扫描),所以必须要将过滤条件加到 on 语句后