现在的位置: 首页 > 综合 > 正文

MySql索引过滤+排序的一个技巧

2018年01月21日 ⁄ 综合 ⁄ 共 2409字 ⁄ 字号 评论关闭

索引的建立,直接会影响到查询性能。

看下面的查询:

select * from ddd where id>1 order by score;

我们查询学号大于1的学生的各科成绩得分。

那么按照一般的思路,是这样建立索引的(id,score)。

explain一下:

  1. mysql> explain select * from ddd where id>1 order by score;  
  2. +----+-------------+-------+-------+---------------+------+---------+------+------+------------------------------------------+  
  3. | id | select_type | table | type  | possible_keys | key  | key_len | ref  | rows | Extra                                    |  
  4. +----+-------------+-------+-------+---------------+------+---------+------+------+------------------------------------------+  
  5. |  1 | SIMPLE      | ddd   | range | id            | id   | 4       | NULL |   12 | Using where; Using index; Using filesort |  
  6. +----+-------------+-------+-------+---------------+------+---------+------+------+------------------------------------------+  
  7. 1 row in set (0.00 sec)  

查看explain的结果,我们发现,

查询过程使用了order by,出现了using filesort。也就是说,mysql在查询到符合条件的数据之后,做了排序。

【---------------------------------------------------------】

这是因为,当使用(id,score)索引的时候,查询where id > 1 order by score使用了一个非常量来限定索引的前半部分,所以只用到了索引的前半部分,后半部分没有使用。所以,排序还要mysql另外来做。如果这里的查询是where id = 1 order by score,那么必然就不会出现filesort了。

【---------------------------------------------------------】

怎么优化掉排序过程呢?

我们删掉(id,score)这个索引,新建一个(score,id)索引。

  1. mysql> alter table ddd drop index id;  
  2. Query OK, 0 rows affected (0.98 sec)  
  3. Records: 0  Duplicates: 0  Warnings: 0  
  4.   
  5. mysql> alter table ddd add  index(score,id);  
  6. Query OK, 0 rows affected (0.11 sec)  
  7. Records: 0  Duplicates: 0  Warnings: 0  

再次explain:

  1. mysql> explain select * from ddd where id>1 order by score;  
  2. +----+-------------+-------+-------+---------------+-------+---------+------+------+--------------------------+  
  3. | id | select_type | table | type  | possible_keys | key   | key_len | ref  | rows | Extra                    |  
  4. +----+-------------+-------+-------+---------------+-------+---------+------+------+--------------------------+  
  5. |  1 | SIMPLE      | ddd   | index | NULL          | score | 9       | NULL |   28 | Using where; Using index |  
  6. +----+-------------+-------+-------+---------------+-------+---------+------+------+--------------------------+  
  7. 1 row in set (0.00 sec)  

我们可以看到,explain结果就已经没有了using filesort。

这是因为,我们要取得id大于1的学生的score,最后按照score排序,那么我们扫描一遍(score,id)索引,找到id大于1的学生,然后直接取出信息即可。由于(score,id)索引已经排序好了,所以免去了排序的过程。

from:http://blog.csdn.net/imzoer/article/details/8524187

抱歉!评论已关闭.