MySQL查询结果如何排序呢?这是很多人都提过的问题,下面就教您如何对MySQL查询结果按某值排序,如果您感兴趣的话,不妨一看。
之前有一个功能修改,要求MySQL查询结果中:
id name * * *
1 lucy ...
3 lucy ...
2 lily ...
4 lucy ...
名字为lucy的优先排在前面,百思不得其解,可能有人会说简单 union嘛 或者弄个临时表什么的,其实我也想过,但是本身SQL逻辑就很多了(上面只是简例),再union的话或者临时表可能绕很大的弯路,后来看到一篇文章尝试着加入order by find_in_set(name,'lucy') ,结果 得到的结果为lucy全部在下面,随即我改为order by find_in_set(name,'lucy') desc 实现结果为
id name * * *
1 lucy ...
3 lucy ...
4 lucy ...
2 lily ...
基本实现,可是又有点不确定的心情,查mysql文档发现find_in_set语法
- FIND_IN_SET(str,strlist)
假如字符串str 在由N 子链组成的字符串列数据表strlist 中, 则返回值的范围在 1 到 N 之间 。一个字符串列数据表就是一个由一些被『,』符号分开的自链组成的字符串。如果***个参数是一个常数字符串,而第二个是type SET列,则 FIND_IN_SET() 函数被优化,使用比特计算。如果str不在strlist 或strlist 为空字符串,则返回值为 0 。如任意一个参数为NULL,则返回值为 NULL。 这个函数在***个参数包含一个逗号(『,』)时将无法正常运行
- mysql> SELECT FIND_IN_SET('b','a,b,c,d');
- -> 2
看了这个我估计结果为什么要加desc 了 find_in_set返回的值是,当存在lucy的时候 返回他的位置,没有的时候为0,空的时候null,所以排序为1,1,1,0,如果加在列上就为
id name FIND_IN_SET * *
1 lucy 1 ...
3 lucy 1 ...
2 lily 0 ...
4 lucy 1...
表结构如下:
- mysql> select * from test;
- +----+-------+
- | id | name |
- +----+-------+
- | 1 | test1 |
- | 2 | test2 |
- | 3 | test3 |
- | 4 | test4 |
- | 5 | test5 |
- +----+-------+
执行以下SQL:
- mysql> select * from test where id in(3,1,5);
- +----+-------+
- | id | name |
- +----+-------+
- | 1 | test1 |
- | 3 | test3 |
- | 5 | test5 |
- +----+-------+
- 3 rows in set (0.00 sec)
这个select在mysql中得结果会自动按照id升序排列,
但是我想执行"select * from test where id in(3,1,5);"的结果按照in中得条件排序,即:3,1,5,想得到的结果如下:
id name
3 test3
1 test1
5 test5
方法如下:
- select * from test where id in(3,1,5) order by find_in_set(id,'3,1,5');
- select * from test where id in(3,1,5) order by substring_index('3,1,2',id,1);
两者均可
【编辑推荐】