索引列不独立
比如索引参与运算:
select id,name,age,salary from table_name where salary + 1000 = 6000;
作为函数参数:
select id,name,age,salary from table_name where substring(name,1,3)= 'luc';
使用了左模糊:
select id,name,age,salary from table_name where name like '%lucs%';
解决:
select id,name,age,salary from table_name where name like 'lucs%';
这种情况name和age都要建立索引,否则会走全表扫描
select id,name,age,salary from table_name where name ='lucs' and age >25
字符串匹配时要加双引号
select id,name,age,salary from table_name where phone='13088772233 '
多个条件,不符合最左前缀原则的查询
例如索引为 index(a,b,c)
select * from table_name where b='1'and c='2'
select * from table_name where c='2'
// 上面这两条 SQL 都是无法走索引执行的
索引字段没有添加not null约束
select * from table_name where a is null;
// 这条sql就无法走索引执行了,is null 条件 不能使用索引,只能全表扫描了
// mysql 官方建议是把字段设置为 not null
所以针对这个情况,在mysql 创建表字段的时候,可以将需要索引的字符串设置为 not null default '' 默认空字符串即可
隐式转换
关联表的两个字段类型不一致会发生隐式转换
select * from table_name t1 left join table_name2 t2 on t1.id=t2.tid;
// 上面这条语句里,如果 t1 表的id 类型和 t2 表的tid 类型不一致的时候,就无法
// 按索引执行了。
// 解决方式就是统一设置字段类型。
|