web-dev-qa-db-ja.com

ハッシュするハッシュの配列

たとえば、単一のハッシュの配列があります

a = [{a: :b}, {c: :d}]

これに変換する最良の方法は何ですか?

{a: :b, c: :d}
61
evfwcqcg

使用してもよい

a.reduce Hash.new, :merge

直接得られる

{:a=>:b, :c=>:d}

衝突の場合、順序が重要であることに注意してください。後のハッシュは、以前のマッピングを上書きします。例:

[{a: :b}, {c: :d}, {e: :f, a: :g}].reduce Hash.new, :merge   # {:a=>:g, :c=>:d, :e=>:f}
110
Howard

.injectを使用できます:

a.inject(:merge)
#=> {:a=>:b, :c=>:d}

デモ

マージされた2つの反復ごとに新しいハッシュを開始します。これを回避するには、破壊的な:merge!(または:update、これは同じ)を使用できます。

a.inject(:merge!)
#=> {:a=>:b, :c=>:d}

デモ

36
potashin

この二つ:

total_hash = hs.reduce({}) { |acc_hash, hash| acc_hash.merge(hash) }
total_hash = hs.reduce({}, :merge)

ご了承ください Hash#mergeは、反復ごとに新しいハッシュを作成します。これは、大きなハッシュを作成する場合に問題になる可能性があります。その場合は、代わりにupdateを使用します。

total_hash = hs.reduce({}, :update)

別の方法は、ハッシュをペアに変換してから、最終的なハッシュを作成することです。

total_hash = hs.flat_map(&:to_a).to_h
21
tokland

この答えに出くわしたので、パフォーマンスの観点から2つのオプションを比較して、どちらが優れているかを確認したいと思いました。

  1. _a.reduce Hash.new, :merge_
  2. a.inject(:merge)

Ruby=ベンチマークモジュールを使用すると、オプション(2)a.inject(:merge)の方が高速であることがわかります。

比較に使用されるコード:

_require 'benchmark'

input = [{b: "c"}, {e: "f"}, {h: "i"}, {k: "l"}]
n = 50_000

Benchmark.bm do |benchmark|
  benchmark.report("reduce") do
    n.times do
      input.reduce Hash.new, :merge
    end
  end

  benchmark.report("inject") do
    n.times do
      input.inject(:merge)
    end
  end
end
_

結果は

_       user     system      total        real
reduce  0.125098   0.003690   0.128788 (  0.129617)
inject  0.078262   0.001439   0.079701 (  0.080383)
_
1
bigsolom

配列に変換できます[[:a, :b]]そしてその後、すべてをハッシュに変換します{:a=>:b}

# it works like [[:a, :b]].to_h => {:a=>:b}

[{a: :b}, {c: :d}].map { |hash| hash.to_a.flatten }.to_h

# => {:a=>:b, :c=>:d}
0
Evan Ross

これを試して

a.inject({}){|acc, hash| acc.merge(hash)} #=> {:a=>:b, :c=>:d}
0
Rahul Patel

使うだけ

a.reduce(:merge)
#=> {:a=>:b, :c=>:d}
0
Ritesh katare