我在ruby中有一个哈希回复给我
test_string = "{cat=6,bear=2,mouse=1,tiger=4}"
我需要在这个表格中获得这些项目的清单,这些项目由数字排序。
animals = [cat, tiger, bear, mouse]
我的想法是以红宝石为主,并在“=”字符上分开。然后尝试订购它们并放入新的清单。在ruby中有一个简单的方法吗?我们非常感谢示例代码。
答案 0 :(得分:7)
s = "{cat=6,bear=2,mouse=1,tiger=4}"
a = s.scan(/(\w+)=(\d+)/)
p a.sort_by { |x| x[1].to_i }.reverse.map(&:first)
答案 1 :(得分:1)
这不是最优雅的方式,但它有效:
test_string.gsub(/[{}]/, "").split(",").map {|x| x.split("=")}.sort_by {|x| x[1].to_i}.reverse.map {|x| x[0].strip}
答案 2 :(得分:1)
a = test_string.split('{')[1].split('}').first.split(',')
# => ["cat=6", "bear=2", "mouse=1", "tiger=4"]
a.map{|s| s.split('=')}.sort_by{|p| p[1].to_i}.reverse.map(&:first)
# => ["cat", "tiger", "bear", "mouse"]
答案 3 :(得分:1)
以下代码应该这样做。 解释了内联的步骤
test_string.gsub!(/{|}/, "") # Remove the curly braces
array = test_string.split(",") # Split on comma
array1= []
array.each {|word|
array1<<word.split("=") # Create an array of arrays
}
h1 = Hash[*array1.flatten] # Convert Array into Hash
puts h1.keys.sort {|a, b| h1[b] <=> h1[a]} # Print keys of the hash based on sorted values
答案 4 :(得分:0)
test_string = "{cat=6,bear=2,mouse=1,tiger=4}"
Hash[*test_string.scan(/\w+/)].sort_by{|k,v| v.to_i }.map(&:first).reverse
#=> ["cat", "tiger", "bear", "mouse"]