且构网

分享程序员开发的那些事...
且构网 - 分享程序员编程开发的那些事

Rails Active 查询按特定顺序按多个值排序?

更新时间:2023-01-30 12:32:54

一个可移植的解决方案是将 CASE 语句用作 ORDER BY 中的内联映射:

A portable solution would be to use a CASE statement as an inlined map in your ORDER BY:

query.order(%q(
  case role
  when 'CAD' then 1
  when 'CM'  then 2
  when 'CA'  then 3
  end
))

请记住,您可以按您想要的任何表达式进行 ORDER BY,并且 CASE 当然是 SQL 中的一个表达式.

Keep in mind that you can ORDER BY any expression you want and a CASE certainly is an expression in SQL.

较新版本的 Rails 会希望您使用 Arel.sql 而不是原始字符串:

Newer versions of Rails will want you to use Arel.sql rather than a raw string:

query.order(
  Arel.sql(
    %q(
      case role
      when 'CAD' then 1
      when 'CM'  then 2
      when 'CA'  then 3
      end
    )
  )
)

如果列表是动态的,您可以构建一个 CASE 表达式:

And if the list is dynamic, you can build a CASE expression:

array = %w[CAD CM CA]
q     = connection.method(:quote) # Or ApplicationRecord.connection.method(:quote)
cases = array.each_with_index.map { |e, i| "when #{q[e]} then #{i}" }
query.order(Arel.sql("case role #{cases.join(' ')} end"))

所有的字符串操作都有点难看,但它是完全安全的,您通常会将其隐藏在作用域中.

All the string manipulation is a bit ugly but it is perfectly safe and you'd usually hide it in a scope.