简体   繁体   中英

How to use “where” clause with “order” condition

I have a model Trade that has columns traded_at , price , amount .

And there is a default_order for it like this.

scope :default_order, -> {
  order(traded_at: :desc, price: :asc, amount: :desc)
}

I want to filter the trades by using this order clause.

This is my code for it without order clause.

scope :newer_than, ->(trade) {
  where(<<-SQL)
    traded_at > '#{trade.traded_at.to_s(:db)}' OR
    (traded_at = '#{trade.traded_at.to_s(:db)}' AND price < #{trade.price}) OR
    (traded_at = '#{trade.traded_at.to_s(:db)}' AND price = #{trade.price} AND amount > #{trade.amount})
  SQL
}

When I add one more condition for order clause, I need to add 4 condition in where clause. I think it's not efficient. Is there way to use order condition for where clause?

Postgres supports the concept of ROW values .

SELECT * FROM tbl WHERE (a, b, c) > (1, 2, 3)  -- not for you!

But there is a hitch : every field in the row is compared in the same sense of ordering. Your case has mixed sort order ( ASC / DESC ), which is a showstopper. But if price is a numeric data type (seems like a safe bet) - which has a negator defined, there is a workaround:

... WHERE (a, -b, c) > (1, -2, 3)  -- for you

So:

where(<<-SQL)
    (traded_at, -price, amount)
  > ('#{trade.traded_at.to_s(:db)}', #{trade.price} * -1 , #{trade.amount})
  SQL

Or pass trade.price readily negated and drop * -1 .

Can even be supported with a multicolumn expression index!

Note: None of this works properly with NULL values since those never qualify in your WHERE clause.

Related:

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM