Turn an array into keys for hash

2019-07-21 04:25发布

How do I turn an Array into a Hash with values of 0 without an each loop.

For example, given this array:

[1, 2, 3, 4]

I want to get this hash:

{"1"=>0, "2"=>0, "3"=>0, "4"=>0}

标签: ruby arrays hash
4条回答
倾城 Initia
2楼-- · 2019-07-21 04:35

The standard approach is Hash[...]:

Hash[xs.map { |x| [x.to_s, 0] }]

Or Enumerable#mash if you happen to use Facets. I cannot think of something more concise and declarative:

xs.mash { |x| [x.to_s, 0] }
查看更多
我欲成王,谁敢阻挡
3楼-- · 2019-07-21 04:37

I'm a fan of simple, and I can never remember exactly how crazy things #inject or Hash constructor arguments work.

array = [1, 2, 3, 4]
hash = {}

array.each do |obj|
  hash[obj.to_s] = 0
end

puts hash.inspect # {"1"=>0, "2"=>0, "3"=>0, "4"=>0}
查看更多
4楼-- · 2019-07-21 04:40
array.inject({}) { | a, e | a[e.to_s] = 0; a }

or in a more clean way (thanks to tokland, see the discussion in the comments)

array.inject({}) { | a, e | a.update(e.to_s => 0) }
查看更多
太酷不给撩
5楼-- · 2019-07-21 04:52

Okay, in reality, I'd use each_with_object, but posting this since it's more fun.

ary = *1..4

hash = Hash[ary.zip ary.dup.fill 0]

hash # => {1=>0, 2=>0, 3=>0, 4=>0}
查看更多
登录 后发表回答