带有对象的Ruby排序数组,字符串为

时间:2017-04-06 21:33:30

标签: ruby-on-rails ruby ruby-on-rails-3 ruby-on-rails-4

这是我第一次尝试使用ruby,这可能是一个简单的问题,我已经卡住了一个小时了,我有一个带有一些对象的ruby数组,我希望该数组按照第一个字符排序对象名称属性(我确定它始终是一个数字。)

名称类似于:

  

4这是一个选项

     

3另一个选项

     

另外一个

     

0另一个

     

2秒选项

我试过了:

objectArray.sort_by {|a| a.name[0].to_i}
objectArray.sort {|a,b| a.name[0].to_i <=> b.name.to_i}

在这两种情况下我的数组排序都没有改变..(也使用了排序的破坏性版本!和sort_by!)

我像这样循环遍历数组:

objectArray.each do |test|
  puts test.name[0].to_i  
  puts "\n"
end

确定我看到它应该具有的整数值

2 个答案:

答案 0 :(得分:1)

尝试使用类似这样的数组:

[
  { id: 5, name: "4rge" }, 
  { id: 7, name: "3gerg" }, 
  { id: 0, name: "0rege"}, 
  { id: 2, name: "2regerg"}, 
  { id: 8, name: "1frege"}
]

@ sagarpandya82的回答我没有任何问题:

arr.sort_by { |a| a[:name][0] }
# => [{:id=>0, :name=>"0rege"}, {:id=>8, :name=>"1frege"}, {:id=>2, :name=>"2regerg"}, {:id=>7, :name=>"3gerg"}, {:id=>5, :name=>"4rge"}] 

答案 1 :(得分:0)

name排序。由于字符串按lexicographic顺序排序,因此对象将按名称的第一个字符排序:

class MyObject
  attr_reader :name
  def initialize(name)
    @name = name
  end

  def to_s
    "My Object : #{name}"
  end
end

names = ['4This is an option',
         '3Another option',
         '1Another one',
         '0Another one',
         '2Second option']

puts object_array = names.map { |name| MyObject.new(name) }
# My Object : 4This is an option
# My Object : 3Another option
# My Object : 1Another one
# My Object : 0Another one
# My Object : 2Second option

puts object_array.sort_by(&:name)
# My Object : 0Another one
# My Object : 1Another one
# My Object : 2Second option
# My Object : 3Another option
# My Object : 4This is an option

如果需要,您还可以定义MyObject#<=>并自动获得正确的排序:

class MyObject
  def <=>(other)
    name <=> other.name
  end
end

puts object_array.sort
# My Object : 0Another one
# My Object : 1Another one
# My Object : 2Second option
# My Object : 3Another option
# My Object : 4This is an option