I have this defined Enum for roles:
enum role: {ordinary: 0, manager: 1, admin: 2}
I would liked to order a collection of objects in the following order:
admin (first all admins)
ordinary (then all ordinaries)
manager (and lastly all managers)
Is this possible at all?
If you just create a list of the enum values (instead of strings) via parsing, then sort that list using Collections. sort , it should sort the way you want. If you need a list of strings again, you can just convert back by calling name() on each element.
Enumerated (enum) types are data types that comprise a static, ordered set of values. They are equivalent to the enum types supported in a number of programming languages. An example of an enum type might be the days of the week, or a set of status values for a piece of data.
Because Python's enum. Enum does not provide ordering by default, ostensibly to eliminate C-style (mis-)treatment of enumerations as thin wrappers over integral types.
Note: enum can be defined only inside a top-level class or interface or in a static context. It should not be inside a method.
A solution for this:
class YourModel < ActiveRecord::Base
ROLE_ORDERS = [2, 0, 1]
scope :order_by_role, -> {
order_by = ['CASE']
ROLE_ORDERS.each_with_index do |role, index|
order_by << "WHEN role=#{role} THEN #{index}"
end
order_by << 'END'
order(order_by.join(' '))
}
end
Then your query will be simple like this:
YourModel.order_by_role
The generated query is:
SELECT * from your_models
ORDER BY ( CASE
WHEN role=2 THEN 0
WHEN role=0 THEN 1
WHEN role=1 then 2
END
)
Good reference from this
Starting Rails 6.0, @hieu-pham's solution will throw this deprecation warning: "Dangerous query method (method whose arguments are used as raw SQL) called with non-attribute argument(s) [..] Non-attribute arguments will be disallowed in Rails 6.1. This method should not be called with user-provided values, such as request parameters or model attributes. Known-safe values can be passed by wrapping them in Arel.sql()."
So, building up on both his answer and @fellow-stranger's, I'd suggest this:
class YourModel < ActiveRecord::Base
ROLE_ORDERS = [2, 0, 1]
scope :order_by_role, -> { order(Arel.sql(ROLE_ORDERS.map{ |role| "role=#{role} DESC" }.join(', '))) }
end
Then this is used in your code just as in @hieu-pham's solution...
YourModel.order_by_role
... which generates this query:
SELECT * from your_models
ORDER BY role = 2 DESC, role = 0 DESC, role = 1 DESC
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With