我有一个哈希:
input = {"a"=>"440", "b"=>"-195", "c"=>"-163", "d"=>"100"}
从中我想得到两个哈希值,一个包含其值(作为整数)为正,另一个包含负值的对,例如:
positive = {"a"=>"440", "d"=>"100" }
negative = {"b"=>"-195", "c"=>"-163" }
如何使用最少量的代码实现此目的?
答案 0 :(得分:14)
您可以使用Enumerable#partition
方法根据条件拆分可枚举对象(如哈希)。例如,要分隔正/负值:
input.partition { |_, v| v.to_i < 0 }
# => [[["b", "-195"], ["c", "-163"]],
# [["a", "440"], ["d", "100"]]]
然后,为了获得所需的结果,您可以使用map
和to_h
将键/值数组转换为哈希值:
negative, positive = input.partition { |_, v| v.to_i < 0 }.map(&:to_h)
positive
# => {"a"=>"440", "d"=>"100"}
negative
# => {"b"=>"-195", "c"=>"-163"}
如果您使用的是Ruby 2.1之前的版本,则可以替换Array#to_h
方法(在Ruby 2.1中引入),如下所示:
evens, odds = input.partition { |_, v| v.to_i.even? }
.map { |alist| Hash[alist] }
答案 1 :(得分:1)
此实施使用Enumerable#group_by
:
input = {"a"=>"440", "b"=>"-195", "c"=>"-163", "d"=>"100"}
grouped = input.group_by { |_, v| v.to_i >= 0 }.map { |k, v| [k, v.to_h] }.to_h
positives, negatives = grouped.values
positives #=> {"a"=>"440", "d"=>"100"}
negatives #=> {"b"=>"-195", "c"=>"-163"}
我必须说Enumerable#partition
更合适,因为@ toro2k回答。
答案 2 :(得分:0)
那样的事情呢?
positive = Hash.new
negative = Hash.new
input.each_pair { |var,val|
if val.to_i > 0
positive[var] = val
else
negative[var] = val
end
}