Rails Active query order by multiple values in specific order?

后端 未结 1 1548
小蘑菇
小蘑菇 2020-12-21 15:10

I have a table

Roles(id int,,name vachar(50),role enum(CAD,CA,CM,CV ))

I want select data that order by specific values in specific order

相关标签:
1条回答
  • 2020-12-21 15:27

    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
    ))
    

    Keep in mind that you can ORDER BY any expression you want and a CASE certainly is an expression in 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
        )
      )
    )
    

    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.

    0 讨论(0)
提交回复
热议问题