mysql count函数优化方法解析

发布时间:2020-10-31编辑:脚本学堂
本文介绍了mysql数据库中count函数的优化方法,mysql count优化的注意事项,count(*)和count(字段名)性能参考对比等,需要的朋友参考下。

mysql count函数优化

mysql count优化的注意事项:
1、任何情况下select count(*) from tablename是最优选择;
2、尽量减少select count(*) from tablename where col = 'value’ 这种查询;
3、杜绝select count(col) from tablename的出现。

count(*)和count(字段名)性能参考对比:
count(*)与count(col)

网搜索结果:
比如认为count(col)比count(*)快的;
认为count(*)比count(col)快的;

在不加where限制条件的情况下,count(*)与count(col)基本可以认为是等价的;
但是在有where限制条件的情况下,count(*)会比count(col)快非常多;

数据参考:
 

mysql> select count(*) from cdb_posts where fid = 604;
+————+
| count(fid) |
+————+
| 79000 |
+————+
1 row in set (0.03 sec)
mysql> select count(tid) from cdb_posts where fid = 604;
+————+
| count(tid) |
+————+
| 79000 |
+————+
1 row in set (0.33 sec)
mysql> select count(pid) from cdb_posts where fid = 604;
+————+
| count(pid) |
+————+
| 79000 |
+————+
1 row in set (0.33 sec)
 

 
count(*)通常是对主键进行索引扫描,而count(col)就不一定了,另外前者是统计表中的所有符合的纪录总数,而后者是计算表中所有符合的col的纪录数。还有有区别的。

就是count时,如果没有where限制的话,mysql直接返回保存有总的行数
而在有where限制的情况下,总是需要对mysql进行全表遍历。

在mysql5下,select count(*) 和select count(id)是完全一样的。
表里有300万+条记录。
花了0.8秒,但是我用explain查看查询计划时,却发现它没有用primiary的index,于是强制它使用主键索引,结果花费了7秒!

研究了一下默认时使用的索引,居然是用的一个bit(1)上的索引,这个字段就是一个标志位。

估计因为这个索引最小,基于bit(1),而主键是基于int(4)的,并且所有索引都能用于计算count(*),因为总是一条记录对应一个索引元素。

小技巧:
如果表中有类似标志位(比如是否逻辑删除)的字段,那么在其上建立一个索引,会把count(*)的速度提高数倍。
当然最好用bit(1)类型,而不是int或char(1)保存标志位,那样会更慢。

mysql的count优化总结:
1、任何情况下select count(*) from tablename是最优选择;
2、尽量减少select count(*) from tablename where col = 'value’ 这种查询;
3、杜绝select count(col) from tablename的出现。