回答
索引下推(ICP)是 MySQL5.6 引入的优化,指在索引遍历过程中,对索引中包含的字段先做判断,直接过滤掉不满足条件的记录,减少回表次数,提升检索性能。
索引下推中的下推是指在 MySQL 查询中,将部分 Server 负责的事情,下推交给了存储引擎 Engine 处理。
- 无 ICP 之前。存储引擎先读取二级索引记录,根据索引中的主键值读取完整的行记录后(回表),再将行记录交给
Server
层检测该记录是否满足where
条件。 - **引入 ICP 优化后。**存储引擎读取二级索引记录,先判断
where
条件能否用二级索引中的列过滤,条件不满足则处理下一行记录,条件满足则再使用索引中的主键去读取完整的行记录(回表)。最后,存储引擎将查询的记录交给Server
层,Server
层判断该记录是否满足where
条件的剩余部分。
由此可见,索引下推可以减少存储引擎查询聚簇索引(主键)的次数以及 MySQL Server 层从存储引擎接收数据的次数,是 SQL 性能优化的有效手段。
扩展
索引下推适用场景
- 当需要全表扫描时,ICP 用于
range
、ref
、eq_ref
和ref_or_null
访问方法。 - ICP 适用于 InnoDB 和 MyISAM 的表以及分区的 InnoDB 和 MyISAM 表。
- 在 InnoDB 中,ICP 仅适用于二级索引。且 ICP 不支持在虚拟生成列创建的二级索引。
- 引用子查询的条件不支持 ICP。
- 引用存储函数的条件不支持 ICP(存储引擎无法调用存储函数)。
- 触发条件不支持 ICP。
- MySQL8.0.30后,系统变量引用的派生表不支持 ICP。
索引下推案例
定义一张用户表(t_user)
CREATE TABLE `t_user` (
`id` int NOT NULL,
`age` int NOT NULL,
`name` varchar(255) NOT NULL default '',
`gender` char(1) NOT NULL default 'M',
PRIMARY KEY (`id`),
KEY `idx_name_age` (name,age)
) ENGINE=InnoDB;
初始化如下数据:
insert into t_user(id,age,name,gender) values (10, 10, 'aa', 'M');
insert into t_user(id,age,name,gender) values (11, 20, 'ab', 'F');
insert into t_user(id,age,name,gender) values (12, 30, 'ac', 'F');
insert into t_user(id,age,name,gender) values (13, 40, 'ad', 'M');
insert into t_user(id,age,name,gender) values (14, 50, 'ee', 'F');
insert into t_user(id,age,name,gender) values (20, 60, 'ff', 'M');
insert into t_user(id,age,name,gender) values (30, 70, 'gg', 'F');
查询 SQL:
select * from t_user where name like 'a%' and age = 20;
- MySQL 无索引下推(ICP)存储引擎层执行流程图
- MySQL 支持索引下推存储引擎层执行流程图
索引下推参数配置
CP 默认被开启,可以通过设置index_condition_pushdown=off
关闭
SET optimizer_switch = 'index_condition_pushdown=off';// 关闭
SET optimizer_switch = 'index_condition_pushdown=on'; // 开启