优化带排序的分页查询
浅分页:
select user_no,user_name,socre from student order by score desc limit 5,20
深分页:
select user_no,user_name,socre from student order by score desc limit 80000,20
因为偏移量深分页更大,所以深分页执行时间更长
优化1:alter table student add index_socre(score);
浅分页走了索引,深分页没有走索引:
select user_no,user_name,socre from student force index(index_socre) order by score desc limit 5,20
走强制索引的话执行时间,比不走还慢。
因为sql除了查询score之外还查询了user_no,user_name,需要回表查询
回表需要时间,排序也需要时间,mysql 帮我们做了优化,两者取最优。
优化2:添加联合索引,就不用回表了 alter table student add index_socre_no_name(user_no,user_name,score);
深分页走了联合索引,extra:using index 走了覆盖索引
缺点:增加了查询字段就不行了,索引就失效了
优化3:删除联合索引,只留下 score的索引
Select user_no,user_name,socre from student a join (select id from student order by socre desc limit 80000,20
) b on a.id = b.id
缺点:子查询的id 集合比较多的话(这里是20个),不建议这样使用
优化4:只留下 score的索引,分数一样的情况下,id递增
Select user_no,user_name,socre from student where id<上一次最大的 and score < 上一次最大的 order by score desc limit 80000,20
索引结构: