다음과 같은 해시 배열이 있습니다.
[{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]
그리고 나는 이것을 다음과 같이 단일 해시에 매핑하려고합니다.
{"testPARAM2"=>"testVAL2", "testPARAM1"=>"testVAL1"}
나는 그것을 사용하여 달성했습니다
par={}
mitem["params"].each { |h| h.each {|k,v| par[k]=v} }
하지만 좀 더 관용적 인 방식으로 (지역 변수를 사용하지 않고) 이것을 할 수 있는지 궁금합니다.
어떻게 할 수 있습니까?
답변
원하는 것을 작곡 Enumerable#reduce
하고 Hash#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}
답변
어때 :
h = [{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]
r = h.inject(:merge)
답변
#inject 사용
hashes = [{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]
merged = hashes.inject({}) { |aggregate, hash| aggregate.merge hash }
merged # => {"testPARAM1"=>"testVAL1", "testPARAM2"=>"testVAL2"}
답변
여기 에서 Enumerable 클래스 에서 주입 또는 축소 를 사용할 수 있습니다. 둘 다 서로의 별칭이므로 둘 중 어느 쪽에도 성능상의 이점이 없습니다.
sample = [{"testPARAM1"=>"testVAL1"}, {"testPARAM2"=>"testVAL2"}]
result1 = sample.reduce(:merge)
# {"testPARAM1"=>"testVAL1", "testPARAM2"=>"testVAL2"}
result2 = sample.inject(:merge)
# {"testPARAM1"=>"testVAL1", "testPARAM2"=>"testVAL2"}