2

假设我有一个包含一列的表格,即:

5 absolute
5.0
5.1
last
50
5 elite
edge

我需要订购这个(使用 postgresql 方法):

5 absolute
5 elite
5.0
5.1
50
edge
last

但是如果我使用经典的“ORDER BY column ASC”,我会得到:

50
5.0
5.1
5 absolute
5 elite
edge
last

有很多工具,如 substring 或 using,但我不明白它们是如何工作的。

我需要做什么?

4

2 回答 2

1

不知道,可能是这样的:

with cte as (
   select col1, regexp_split_to_array(col1, ' ') as d
   from Table1

)
select col1
from cte
order by
    d[1] ~ '^([0-9]+[.]?[0-9]*|[.][0-9]+)$' desc,
    case
        when d[1] ~ '^([0-9]+[.]?[0-9]*|[.][0-9]+)$' then
            d[1]::numeric
    end,
    d[2]

sql fiddle demo

这个将字符串按空格拆分为数组,将第一个条目转换为数字并按此数字和剩余字符串对结果进行排序

于 2013-11-08T10:16:29.653 回答
0

这应该这样做:

order by regexp_replace(the_column, '[^0-9\.]', '', 'g')::numeric DESC

它从值中删除所有非数字字符(只留下数字和.),然后将其转换为数字。然后将该数字用于降序排序

唯一的问题是 5.0 会排在 5.1 之后。

如果您需要考虑没有任何数字的值,如下所示:

order by 
      case 
         when regexp_replace(the_column, '[^0-9\.]', '', 'g') <> 
            then regexp_replace(the_column, '[^0-9\.]', '', 'g')::numeric
      end DESC NULLS LAST, 
      the_column DESC -- to sort the "NULL" values alphabetically

如果您不想重复正则表达式,您可以执行以下操作:

with clean_data as (
   select the_column, 
          regexp_replace(the_column, '[^0-9\.]', '', 'g') as clean_column, 
          ....
   from ...
)
select *
from clean_data
order by case 
           when clean_column <> '' then clean_column::numeric 
         end desc nulls last, 
         the_column desc;
于 2013-11-08T10:13:41.650 回答