我有两个哈希数组:
a = [
{
key: 1,
value: "foo"
},
{
key: 2,
value: "baz"
}
]
b = [
{
key: 1,
value: "bar"
},
{
key: 1000,
value: "something"
}
]
我想将它们合并为一个哈希数组,所以基本上是a + b
,除了我希望b
中的任何重复键覆盖a
中的那些。在这种情况下,a
和b
都包含一个键1
,我希望最终结果具有b
的键值对。
这是预期的结果:
expected = [
{
key: 1,
value: "bar"
},
{
key: 2,
value: "baz"
},
{
key: 1000,
value: "something"
}
]
我得到了它的工作,但我想知道是否有一个不那么冗长的方式这样做:
hash_result = {}
a.each do |item|
hash_result[item[:key]] = item[:value]
end
b.each do |item|
hash_result[item[:key]] = item[:value]
end
result = []
hash_result.each do |k,v|
result << {:key => k, :value => v}
end
puts result
puts expected == result # prints true
答案 0 :(得分:6)
uniq
将起作用:
(b + a).uniq { |h| h[:key] }
#=> [
# {:key=>1, :value=>"bar"},
# {:key=>1000, :value=>"something"},
# {:key=>2, :value=>"baz"}
# ]
但它不会保留订单。
答案 1 :(得分:1)
[a, b].map { |arr| arr.group_by { |e| e[:key] } }
.reduce(&:merge)
.flat_map(&:last)
在这里,我们使用hash[:key]
作为构建新哈希的密钥,然后我们merge
用最后一个值覆盖所有内容并返回values
。
答案 2 :(得分:1)
我会稍微重建你的数据,因为哈希中有冗余键:
thin_b = b.map { |h| [h[:key], h[:value]] }.to_h
#=> {1=>"bar", 1000=>"something"}
thin_a = b.map { |h| [h[:key], h[:value]] }.to_h
#=> {1=>"bar", 1000=>"something"}
然后您只能使用Hash#merge
:
thin_a.merge(thin_b)
#=> {1=>"bar", 2=>"baz", 1000=>"something"}
但是,如果你愿意,你可以得到与上述问题完全相同的结果:
result.map { |k, v| { key: k, value: v } }
#=> [{:key=>1, :value=>"bar"},
# {:key=>2, :value=>"baz"},
# {:key=>1000, :value=>"something"}]
答案 3 :(得分:0)
使用Enumerable#group_by和Enumerable#map
(b+a).group_by { |e| e[:key] }.values.map {|arr| arr.first}
答案 4 :(得分:0)
如果您需要合并两个也应该合并的哈希数组,并且有两个以上的键,那么下一个代码片段应该会有所帮助:
[a, b].flatten
.compact
.group_by { |v| v[:key] }
.values
.map { |e| e.reduce(&:merge) }