web-dev-qa-db-fra.com

Créer un hachage à partir d'un tableau de clés

J'ai examiné d'autres questions dans SO et je n'ai pas trouvé de réponse à mon problème spécifique.

J'ai un tableau: 

a = ["a", "b", "c", "d"]

Je veux convertir ce tableau en un hachage où les éléments du tableau deviennent les clés du hachage et où ils ont la même valeur.

{"a" => 1, "b" => 1, "c" => 1, "d" => 1}
27
Dennis Mathews

Ma solution, une parmi les autres :-)

a = ["a", "b", "c", "d"]
h = Hash[a.map {|x| [x, 1]}]
55
Baldrick

Vous pouvez utiliser product :

a.product([1]).to_h
#=> {"a"=>1, "b"=>1, "c"=>1, "d"=>1}

Ou vous pouvez aussi utiliser transpose method:

[a,[1] * a.size].transpose.to_h
#=> {"a"=>1, "b"=>1, "c"=>1, "d"=>1}
19
potashin
a = ["a", "b", "c", "d"]

4 autres options pour obtenir le résultat souhaité:

h = a.map{|e|[e,1]}.to_h
h = a.Zip([1]*a.size).to_h
h = a.product([1]).to_h
h = a.Zip(Array.new(a.size, 1)).to_h

Toutes ces options reposent sur Array # to_h , disponible dans Ruby v2.1 ou supérieur

4
Andreas Rayo Kniep
a = %w{ a b c d e }

Hash[a.Zip([1] * a.size)]   #=> {"a"=>1, "b"=>1, "c"=>1, "d"=>1, "e"=>1}
4
coreyward

Ici:

theHash=Hash[a.map {|k| [k, theValue]}]

Cela suppose que, selon votre exemple ci-dessus, a=['a', 'b', 'c', 'd'] et theValue=1.

2
Linuxios
["a", "b", "c", "d"].inject({}) do |hash, elem|
  hash[elem] = 1
  hash
end
2
Andrew Marshall
a = ["a", "b", "c", "d"]
h = a.inject({}){|h,k| h[k] = 1; h}
#=> {"a"=>1, "b"=>1, "c"=>1, "d"=>1}
0
Sandip Ransing
{}.tap{|h| %w(a b c d).each{|x| h[x] = 1}}
0
Fumisky Wells
a = ['1','2','33','20']

Hash[a.flatten.map{|v| [v,0]}.reverse]
0
Qmr