随机SQL结果

时间:2012-03-11 19:43:57

标签: php mysql sorting

在我的网页上,我获取了数据库的数据并在结果页面上显示。我想按顺序对结果进行排序(这就是谷歌翻译的翻译)。我的意思是:我有一个名为“type”的字段,它的值为a,b或c。当我选择数据时,它将结果返回为

a a a b b b c c c

但我希望将其视为

a b c a b c a b c a

我的问题是,对此最好的解决方案是什么(可以使用SQL查询吗?)

感谢您的帮助!

1 个答案:

答案 0 :(得分:0)

解决方案背后的想法是根据提供商使行从1开始编号。如果类型为“a”的行(编号为1..4)和类型为“b”的行(编号为1.3)和类型为“c”的行(编号为1..3),则可以轻松获得你想在这些数字上使用“order by”。

例如,我假设你的表名是“my_table”,它有两个字段,类型和数据。

为了在mysql中制作rownum,我将使用这里描述的内容:rownum in mysql

现在让我们假设我们要选择类型为'a'的所有行,并为它们提供升序行号。我们可以像下面这样做:

select type,data,@rownuma := @rownuma+1 as order_num
from my_table,(select @rownuma:=0) ra
where type='a'

我们可以对其他类型执行相同的操作,然后将所有结果联合起来,然后将它们包装在执行排序的外部选择中。您的问题的答案将是以下查询:

select type,data
from
(
select type,data,@rownuma := @rownuma+1 as order_num
from my_table,(select @rownuma:=0) ra
where type='a'
union all
select type,data,@rownumb := @rownumb+1 as order_num
from my_table,(select @rownumb:=0) rb
where type='b'
union all
select type,data,@rownumc := @rownumc+1 as order_num
from my_table,(select @rownumc:=0) rc
where type='c'
) in_tab
order by order_num,type

请注意,对于每种类型,我们都定义了一个不同的变量来执行计数器。

作为最后一点,你可以通过在同一个连接中定义所有计数器然后不使用union all,但是在select中你可以根据类型使用正确的变量。以下是一个相等的查询

select type,data
from
(
select type,data,
       case when type='a' then @rownuma := @rownuma+1 
            when type='b' then @rownumb := @rownumb+1
            when type='c' then @rownumc := @rownumc+1
       end as order_num
from my_table, (select @rownuma:=0) ra, (select @rownumb:=0) rb, (select @rownumc:=0) rc 
) in_tab
order by order_num,type

如果您有更多条件(where子句)来选择行,则第二个版本会更好,因为您不需要在第一个版本中作为union的一部分的每个子查询中重复它们。