Ruby 库函数将 Enumerable 转换为 Hash

问题描述 投票:0回答:2

考虑对 Enumerable 的扩展:

module Enumerable

  def hash_on
    h = {}
    each do |e|
      h[yield(e)] = e
    end
    h
  end

end

使用方式如下:

people = [
  {:name=>'fred', :age=>32},
  {:name=>'barney', :age=>42},
]
people_hash = people.hash_on { |person| person[:name] }
p people_hash['fred']      # => {:age=>32, :name=>"fred"}
p people_hash['barney']    # => {:age=>42, :name=>"barney"}

是否有一个内置函数已经做到了这一点,或者足够接近它以至于不需要这个扩展?

ruby hash enumerable
2个回答
7
投票

Enumerable.to_h 接受

[key, value]
序列或用于将元素转换为
Hash
的块,因此您可以执行以下操作:

people.to_h {|p| [p[:name], p]}

该块应返回一个 2 元素数组,该数组成为返回的

Hash
中的键值对。如果您有多个值映射到同一个键,则保留最后一个。

在 Ruby 3 之前的版本中,您需要先使用

map
进行转换,然后再调用
to_h
:

people.map {|p| [p[:name], p]}.to_h

5
投票
[   {:name=>'fred', :age=>32},
    {:name=>'barney', :age=>42},
].group_by { |person| person[:name] }

=> {"fred"=>[{:name=>"fred", :age=>32}],
   "barney"=>[{:name=>"barney", :age=>42}]}

密钥采用数组形式,可以有多个 Freds 或 Barneys,但如果您确实需要,可以使用

.map
来重建。

© www.soinside.com 2019 - 2024. All rights reserved.