I\'m creating a simple game in ruby, and I have two arrays storing high score: $HS_Points and $HS_Names. I\'m saving high score in two files, and I wan
Something like this?
names = ['Alice', 'Bob', 'Carol']
points = [22, 11, 33]
You may want the Array#zip method:
pairs = names.zip(points)
#=> [["Alice", 22], ["Bob", 11], ["Carol", 33]]
To sort by an array field, compare two fields of the pair.
Sort by name:
pairs.sort{|x,y| x[0] <=> y[0] }
#=> [["Alice", 22], ["Bob", 11], ["Carol", 33]]
Sort by score:
pairs.sort{|x,y| x[1] <=> y[1] }
#=> [["Bob", 11], ["Alice", 22], ["Carol", 33]]
Another way to sort is the #sort_by method instead of a comparison block (thanks to Niklas B.)
Sort by name:
pairs.sort_by(&:first)
#=> [["Alice", 22], ["Bob", 11], ["Carol", 33]]
Sort by score:
pairs.sort_by(&:last)
#=> [["Bob", 11], ["Alice", 22], ["Carol", 33]]
To select just the players above a high score:
pairs.select{|x| x[1] >20 }
#=> [["Alice", 22], ["Carol", 33]]
To unzip:
pairs.map(&:first)
#=> ["Alice", "Bob", "Carol"]
pairs.map(&:last)
#=> [22, 11, 33]
These ideas may point you in the right direction.