mysql order by rand()效率对比分析

发布时间:2019-08-17编辑:脚本学堂
本文介绍了mysql中order by rand()查询效率的对比实例,采用join的语法比直接在where中使用函数效率还要高很多,需要的朋友参考下。

mysql随机抽取数据的方法

例子,从tablename表中随机提取一条记录,通常写法:
 

复制代码 代码示例:
select * from tablename order by rand() limit 1

mysql官方手册中针对rand()的提示大,在order by从句中不能使用rand()函数,因为这样会导致数据列被多次扫描。
但是在mysql 3.23版本中,仍然可以通过order by rand()来实现随机。
这样效率非常低。一个15万余条的库,查询5条数据,居然要8秒以上。
mysql手册中也介绍说rand()放在order by 子句中会被执行多次,自然效率及很低。
you cannot use a column with rand() values in an order by clause, because order by
would evaluate the column multiple times.
 
搜索google,网上基本上都是查询max(id) * rand()来随机获取数据。
 

复制代码 代码示例:
select *
from `table` as t1 join (select round(rand() * (select max(id) from `table`)) as id) as t2
where t1.id >= t2.id
order by t1.id asc limit 5;
 

但是这样会产生连续的5条记录。
解决办法:
只能是每次查询一条,查询5次,因为15万条的表,查询只需要0.01秒不到。

以下语句采用join,mysql的论坛上有人使用:
 

复制代码 代码示例:
select *
from `table`
where id >= (select floor( max(id) * rand()) from `table` )
order by id limit 1;
 

测试需要0.5秒,速度也不错,但是跟上面的语句还是有很大差距。

修改以上语句为:
 

复制代码 代码示例:
select *
from `table`
where id >= (select floor( max(id) * rand()) from `table` )
order by id limit 1;

这下,效率又提高了,查询时间只有0.01秒

最后加上min(id)的判断。在最开始测试时,因为没有加上min(id)的判断,结果有一半的时间总是查询到表中的前面几行。
完整查询语句是:
 

复制代码 代码示例:

select * from `table`
where id >= (select floor( rand() * ((select max(id) from `table`)-(select min(id) from `table`)) + (select min(id) from `table`))) 
order by id limit 1;

select *
from `table` as t1 join (select round(rand() * ((select max(id) from `table`)-(select min(id) from `table`))+(select min(id) from `table`)) as id) as t2
where t1.id >= t2.id
order by t1.id limit 1;
 

最后在php中对这两个语句进行分别查询10次,
前者花费时间 0.147433 秒
后者花费时间 0.015130 秒

小结:
采用join的语法比直接在where中使用函数效率还要高很多。