Mysql

关注公众号 jb51net

关闭
首页 > 数据库 > Mysql > mysql联合索引最左匹配原则实现

mysql联合索引最左匹配原则的底层实现原理解读

作者:weixin_43831204

这篇文章主要介绍了mysql联合索引最左匹配原则的底层实现原理,具有很好的参考价值,希望对大家有所帮助,如有错误或未考虑完全的地方,望不吝赐教

mysql联合索引最左匹配原则的底层实现原理

要看懂,需要熟悉mysql b+ tree的数据结构

b+tree的叶节点和叶子节点的排序特性是按照,从小到大,从左到右的这么一个规则,int直接比大小,uuid比较ASCII码,

例子

假如建立联合索引(a,b,c)

1.全值匹配查询时

用到了索引

where子句几个搜索条件顺序调换不影响查询结果,因为Mysql中有查询优化器,会自动优化查询顺序

select * from table_name where a = '1' and b = '2' and c = '3' 
select * from table_name where b = '2' and a = '1' and c = '3' 
select * from table_name where c = '3' and b = '2' and a = '1' 

2.匹配左边的列时

都从最左边开始连续匹配,用到了索引

select * from table_name where a = '1' 
select * from table_name where a = '1' and b = '2'  
select * from table_name where a = '1' and b = '2' and c = '3'

这些没有从最左边开始,最后查询没有用到索引,用的是全表扫描

select * from table_name where  b = '2' 
select * from table_name where  c = '3'
select * from table_name where  b = '1' and c = '3' 

如果不连续时,只用到了a列的索引,b列和c列都没有用到

select * from table_name where a = '1' and c = '3' 

3.匹配列前缀

如果列是字符型的话它的比较规则是先比较字符串的第一个字符,第一个字符小的那个字符串就比较小,如果两个字符串第一个字符相通,那就再比较第二个字符,第二个字符比较小的那个字符串就比较小,依次类推,比较字符串。

如果a是字符类型,那么前缀匹配用的是索引,后缀和中缀只能全表扫描了

select * from table_name where a like 'As%'; //前缀都是排好序的,走索引查询
select * from table_name where  a like '%As'//全表查询
select * from table_name where  a like '%As%'//全表查询

4 .匹配范围值

可以对最左边的列进行范围查询

select * from table_name where  a > 1 and a < 3

多个列同时进行范围查找时,只有对索引最左边的那个列进行范围查找才用到B+树索引,也就是只有a用到索引,在1<a<3的范围内b是无序的,不能用索引,找到1<a<3的记录后,只能根据条件 b > 1继续逐条过滤

select * from table_name where  a > 1 and a < 3 and b > 1;

5.精确匹配某一列并范围匹配另外一列

如果左边的列是精确查找的,右边的列可以进行范围查找

select * from table_name where  a = 1 and b > 3;

a=1的情况下b是有序的,进行范围查找走的是联合索引

6.排序

order by的子句后面的顺序也必须按照索引列的顺序给出,比如

select * from table_name order by a,b,c limit 10;

这种颠倒顺序的没有用到索引

select * from table_name order by b,c,a limit 10;

这种用到部分索引

select * from table_name order by a limit 10;
select * from table_name order by a,b limit 10;

联合索引左边列为常量,后边的列排序可以用到索引

select * from table_name where a =1 order by b,c limit 10;

总结

以上为个人经验,希望能给大家一个参考,也希望大家多多支持脚本之家。

您可能感兴趣的文章:
阅读全文