MySQL延迟关联性能优化方法
程序员文章站
2024-02-27 13:41:21
【背景】
某业务数据库load 报警异常,cpu usr 达到30-40 ,居高不下。使用工具查看数据库正在执行的sql ,排在前面的大部分是:
复制代码...
【背景】
某业务数据库load 报警异常,cpu usr 达到30-40 ,居高不下。使用工具查看数据库正在执行的sql ,排在前面的大部分是:
复制代码 代码如下:
select id, cu_id, name, info, biz_type, gmt_create, gmt_modified,start_time, end_time, market_type, back_leaf_category,item_status,picuture_url from relation where biz_type ='0' and end_time >='2014-05-29' order by id asc limit 149420 ,20;
表的数据量大致有36w左右,该sql是一个非常典型的排序+分页查询:order by col limit n,offset m , mysql 执行此类sql时需要先扫描到n行,然后再去取 m行。对于此类大数据量的排序操作,取前面少数几行数据会很快,但是越靠后,sql的性能就会越差,因为n越大,mysql 需要扫描不需要的数据然后在丢掉,这样耗费大量的时间。
【分析】
针对limit 优化有很多种方式,
1 前端加缓存,减少落到库的查询操作
2 优化sql
3 使用书签方式 ,记录上次查询最新/大的id值,向后追溯 m行记录。
4 使用sphinx 搜索优化。
对于第二种方式 我们推荐使用"延迟关联"的方法来优化排序操作,何谓"延迟关联" :通过使用覆盖索引查询返回需要的主键,再根据主键关联原表获得需要的数据。
【解决】
根据延迟关联的思路,修改sql 如下:
优化前
复制代码 代码如下:
root@xxx 12:33:48>explain select id, cu_id, name, info, biz_type, gmt_create, gmt_modified,start_time, end_time, market_type, back_leaf_category,item_status,picuture_url from relation where biz_type =\'0\' and end_time >=\'2014-05-29\' order by id asc limit 149420 ,20;
+----+-------------+-------------+-------+---------------+-------------+---------+------+--------+-----------------------------+
| id | select_type | table | type | possible_keys | key | key_len | ref | rows | extra |
+----+-------------+-------------+-------+---------------+-------------+---------+------+--------+-----------------------------+
| 1 | simple | relation | range | ind_endtime | ind_endtime | 9 | null | 349622 | using where; using filesort |
+----+-------------+-------------+-------+---------------+-------------+---------+------+--------+-----------------------------+
1 row in set (0.00 sec)
其执行时间:
优化后:
复制代码 代码如下:
select a.* from relation a, (select id from relation where biz_type ='0' and end_time >='2014-05-29' order by id asc limit 149420 ,20 ) b where a.id=b.id
复制代码 代码如下:
root@xxx 12:33:43>explain select a.* from relation a, (select id from relation where biz_type ='0' and end_time >='2014-05-29' order by id asc limit 149420 ,20 ) b where a.id=b.id;
+----+-------------+-------------+--------+---------------+---------+---------+------+--------+-------+
| id | select_type | table | type | possible_keys | key | key_len | ref | rows | extra |
+----+-------------+-------------+--------+---------------+---------+---------+------+--------+-------+
| 1 | primary | <derived2> | all | null | null | null | null | 20 | |
| 1 | primary | a | eq_ref | primary | primary | 8 | b.id | 1 | |
| 2 | derived | relation | index | ind_endtime | primary | 8 | null | 733552 | |
+----+-------------+-------------+--------+---------------+---------+---------+------+--------+-------+
3 rows in set (0.36 sec)
执行时间:
优化后 执行时间 为原来的1/3 。
上一篇: 使用import导入静态成员的方法 原创
下一篇: java读取键盘输入的字符串