Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

`sort_by': comparison of Array with Array failed (no nil data)

Tags:

ruby

class CustomSorter
  attr_accessor :start_date, :available

  def initialize(start_date, available)
    @start_date = Time.mktime(*start_date.split('-'))
    @available = available
  end

end

cs1 = CustomSorter.new('2015-08-01', 2)
cs2 = CustomSorter.new('2015-08-02', 1)
cs3 = CustomSorter.new('2016-01-01', 1)
cs4 = CustomSorter.new('2015-02-01', 3)
cs5 = CustomSorter.new('2015-03-01', 4)

sorted = [cs1, cs2, cs3, cs4, cs5].sort_by { |cs| [Time.now <= cs.start_date, (cs.available || 0)] }

puts sorted.map(&:start_date)

But it fails:

custom_sorter.rb:17:in `sort_by': comparison of Array with Array failed (ArgumentError)

I know that nil might produce this error. But there is no nil in my data.

like image 759
Lenin Raj Rajasekaran Avatar asked Nov 16 '15 09:11

Lenin Raj Rajasekaran


1 Answers

When the sorting algorithm compares the created arrays [Time.now <= cs.start_date, (cs.available || 0)], it compares them element-wise.

The initial elements are booleans. There is no order defined for booleans.

irb(main):001:0> true <=> false
=> nil

You can get around this by creating integer values, e.g.

[cs1, cs2, cs3, cs4, cs5].sort_by { |cs| [Time.now <= cs.start_date ? 0 : 1, (cs.available || 0)] }
like image 58
undur_gongor Avatar answered Oct 07 '22 05:10

undur_gongor