ハッシュの配列があります:
[{"Vegetable"=>10}, {"Vegetable"=>5}, {"Dry Goods"=>3>}, {"Dry Goods"=>2}]
ここでinject
を使用する必要があると思いますが、本当に苦労しています。
以前のハッシュの重複キーの合計を反映する新しいハッシュが必要です。
[{"Vegetable"=>15}, {"Dry Goods"=>5}]
このハッシュを出力するコードを管理しているので、必要に応じて変更できます。結果は主にハッシュでした。これは、任意の数のレベルの深さがネストされる可能性があり、配列でflattenを呼び出すのは簡単ですが、ハッシュのキー/値も平坦化しないためです:
def recipe_pl(parent_percentage=nil)
ingredients.collect do |i|
recipe_total = i.recipe.recipeable.total_cost
recipe_percentage = i.ingredient_cost / recipe_total
if i.ingredientable.is_a?(Purchaseitem)
if parent_percentage.nil?
{i.ingredientable.plclass => recipe_percentage}
else
sub_percentage = recipe_percentage * parent_percentage
{i.ingredientable.plclass => sub_percentage}
end
else
i.ingredientable.recipe_pl(recipe_percentage)
end
end
end
ar = [{"Vegetable"=>10}, {"Vegetable"=>5}, {"Dry Goods"=>3}, {"Dry Goods"=>2}]
p ar.inject{|memo, el| memo.merge( el ){|k, old_v, new_v| old_v + new_v}}
#=> {"Vegetable"=>15, "Dry Goods"=>5}
Hash.merge
ブロックを使用すると、重複が見つかったときにブロックが実行されます。最初のinject
なしのmemo
は、配列の最初の要素をmemo
として扱いますが、ここでは問題ありません。
単に使用します:
array = [{"Vegetable"=>10}, {"Vegetable"=>5}, {"Dry Goods"=>3}, {"Dry Goods"=>2}]
array.inject{|a,b| a.merge(b){|_,x,y| x + y}}
ar = [{"Vegetable"=>10}, {"Vegetable"=>5}, {"Dry Goods"=>3}, {"Dry Goods"=>2}]
Hash.merge
テクニックは正常に機能しますが、inject
の方が読みやすいと思います。
ar.inject({}) { |memo, subhash| subhash.each { |prod, value| memo[prod] ||= 0 ; memo[prod] += value } ; memo }
=> {"Dry Goods"=>5, "Vegetable"=>15}
さらに良いことに、Hash.new
をデフォルト値0で使用すると:
ar.inject(Hash.new(0)) { |memo, subhash| subhash.each { |prod, value| memo[prod] += value } ; memo }
=> {"Dry Goods"=>5, "Vegetable"=>15}
または、inject
が頭を痛めた場合:
result = Hash.new(0)
ar.each { |subhash| subhash.each { |prod, value| result[prod] += value } }
result
=> {"Dry Goods"=>5, "Vegetable"=>15}
複数のキーを持つ2つのハッシュがある場合:
h1 = { "Vegetable" => 10, "Dry Goods" => 2 }
h2 = { "Dry Goods" => 3, "Vegetable" => 5 }
details = {}
(h1.keys | h2.keys).each do |key|
details[key] = h1[key].to_i + h2[key].to_i
end
details
各ハッシュに複数のエントリがないため、ハッシュがここで必要なものかどうかはわかりません。そのため、データ表現を少し変更することから始めます。
ProductCount=Struct.new(:name,:count)
data = [ProductCount.new("Vegetable",10),
ProductCount.new("Vegetable",5),
ProductCount.new("Dry Goods",3),
ProductCount.new("Dry Goods",2)]
ハッシュに複数のキーと値のペアを含めることができる場合、おそらくやりたいことは
data = [{"Vegetable"=>10}, {"Vegetable"=>5}, {"Dry Goods"=>3>}, {"Dry Goods"=>2}]
data = data.map{|h| h.map{|k,v| ProductCount.new(k,v)}}.flatten
次のようにファセットgemを使用します
require 'facets'
data.group_by(&:name).update_values{|x| x.map(&:count).sum}
結果は
{"Dry Goods"=>5, "Vegetable"=>15}