explain结果中的type字段代表什么意思? type( 二 )

explain结果中的type字段代表什么意思? type
文章插图


如果把上例eq_ref案例中的主键索引,改为普通非唯一(non unique)索引 。
就由eq_ref降级为了ref,此时对于前表的每一行(row),后表可能有多于一行的数据被扫描 。
explain select * from t5,t6 where t5.id=t6.id;

explain结果中的type字段代表什么意思? type

文章插图


当id改为普通非唯一索引后,常量的连接查询,也由const降级为了ref,因为也可能有多于一行的数据被扫描 。
ref扫描,可能出现在join里,也可能出现在单表普通索引里,每一次匹配可能有多行数据返回,虽然它比eq_ref要慢,但它仍然是一个很快的join类型 。
六、rangerange扫描就比较好理解了,它是索引上的范围查询,它会在索引上扫码特定范围内的值 。
1、数据准备:
create table t7 (id int primary key,name varchar(20))engine=innodb; insert into user values(1,'hwb');insert into user values(2,'zhangsan');insert into user values(3,'xiaoming');insert into user values(4,'xiaohong');insert into user values(5,'xiaoqiu');commit;
explain结果中的type字段代表什么意思? type

文章插图


2、查看执行计划
explain select * from t7 where id between 1 and 4;explain select * from t7 where id in(1,2,3);explain select * from t7 where id>3;
explain结果中的type字段代表什么意思? type

文章插图


像上面中的between,in,>都是典型的范围(range)查询 。
注意:必须是索引,否则不能批量"跳过" 。
七、indexindex类型,需要扫描索引上的全部数据 。
explain select count(*) from t7;
explain结果中的type字段代表什么意思? type

文章插图


如上例,id是主键,该count查询需要通过扫描索引上的全部数据来计数 。
注意:此表为InnoDB引擎,它仅比全表扫描快一点 。
八、ALL1、数据准备:
create table t8 (id int ,name varchar(20))engine=innodb; insert into t8 values(1,'hwb');insert into t8 values(2,'zhangsan');insert into t8 values(3,'xiaoming'); create table t9 (id int,age int)engine=innodb; insert into t9 values(1,18);insert into t9 values(2,20);insert into t9 values(3,30);insert into t9 values(4,40);insert into t9 values(5,50);commit;
explain结果中的type字段代表什么意思? type

文章插图


2、查看执行计划
explain select * from t8,t9 where t8.id=t9.id;
explain结果中的type字段代表什么意思? type

文章插图


如果id上不建索引,对于前表的每一行(row),后表都要被全表扫描 。
今天介绍的实验中,这个相同的join语句出现了三次:
(1)扫描类型为eq_ref,此时id为主键;
(2)扫描类型为ref,此时id为非唯一普通索引;
(3)扫描类型为ALL,全表扫描,此时id上无索引;
有此可见,建立正确的索引,对数据库性能的提升是多么重要 。另外,不正确的SQL语句,可能导致全表扫描 。
总结1、explain结果中的type字段,表示(广义)连接类型,它描述了找到所需数据使用的扫描方式;
2、常见的扫描类型有:
system>const>eq_ref>ref>range>index>ALL
其扫描速度由快到慢;
3、各类扫描类型的要点是: