导轨散列映射数组到单个散列(Rails mapping array of hashes onto s

2019-07-30 20:41发布

我有像这样的哈希值的数组:

 [{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]

而且我想这个映射到这样一个哈希:

{"testPARAM2"=>"testVAL2", "testPARAM1"=>"testVAL1"}

我一直在使用它来实现

  par={}
  mitem["params"].each { |h| h.each {|k,v| par[k]=v} } 

但我在想,如果有可能做到这一点的更地道的方式(最好不使用局部变量)。

我怎样才能做到这一点?

Answer 1:

你可以编写Enumerable#reduceHash#merge来完成你想要的东西。

input = [{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]
input.reduce({}, :merge)
  is {"testPARAM2"=>"testVAL2", "testPARAM1"=>"testVAL1"}

减少的阵列有点像的影像残留的它的每个元件之间的方法调用。

例如[1, 2, 3].reduce(0, :+)就像是说0 + 1 + 2 + 3 ,并给出6

在我们的例子中,我们做同样的事情,但随着合并功能,合并两个哈希值。

[{:a => 1}, {:b => 2}, {:c => 3}].reduce({}, :merge)
  is {}.merge({:a => 1}.merge({:b => 2}.merge({:c => 3})))
  is {:a => 1, :b => 2, :c => 3}


Answer 2:

怎么样:

h = [{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]
r = h.inject(:merge)


Answer 3:

使用#inject

hashes = [{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]
merged = hashes.inject({}) { |aggregate, hash| aggregate.merge hash }
merged # => {"testPARAM1"=>"testVAL1", "testPARAM2"=>"testVAL2"}


Answer 4:

在这里,您可以使用注射或减少从可枚举类作为两者是彼此的别名,所以没有性能优势,要么。

 sample = [{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]

 result1 = sample.reduce(:merge)
 # {"testPARAM1"=>"testVAL1", "testPARAM2"=>"testVAL2"}

 result2 = sample.inject(:merge)
 # {"testPARAM1"=>"testVAL1", "testPARAM2"=>"testVAL2"}


文章来源: Rails mapping array of hashes onto single hash