web-dev-qa-db-fra.com

Comment créer un hachage Ruby sur deux tableaux de taille égale?

J'ai deux tableaux

a = [:foo, :bar, :baz, :bof]

et

b = ["hello", "world", 1, 2]

Je voudrais

{:foo => "hello", :bar => "world", :baz => 1, :bof => 2}

Une façon de faire ça?

86
maček
h = Hash[a.Zip b] # => {:baz=>1, :bof=>2, :bar=>"world", :foo=>"hello"}

... putain, j'aime Ruby.

195
jtbandes

Je voulais juste souligner qu'il existe une façon légèrement plus propre de procéder:

h = a.Zip(b).to_h # => {:foo=>"hello", :bar=>"world", :baz=>1, :bof=>2}

Je dois quand même me mettre d'accord sur la partie "J'aime Ruby"!

34
Lethjakman

Celui-ci, ça va?

[a, b].transpose.to_h

Si vous utilisez Ruby 1.9:

Hash[ [a, b].transpose ]

Je sens que a.Zip(b) ressemble à a est maître et b est esclave, mais dans ce style, ils sont plats.

15
Junichi Ito

Juste pour la curiosité:

require 'fruity'

a = [:foo, :bar, :baz, :bof]
b = ["hello", "world", 1, 2]

compare do
  jtbandes { h = Hash[a.Zip b] }
  lethjakman { h = a.Zip(b).to_h }
  junichi_ito1 { [a, b].transpose.to_h }
  junichi_ito2 { Hash[ [a, b].transpose ] } 
end

# >> Running each test 8192 times. Test will take about 1 second.
# >> lethjakman is similar to junichi_ito1
# >> junichi_ito1 is similar to jtbandes
# >> jtbandes is similar to junichi_ito2

compare do 
  junichi_ito1 { [a, b].transpose.to_h }
  junichi_ito2 { Hash[ [a, b].transpose ] } 
end

# >> Running each test 8192 times. Test will take about 1 second.
# >> junichi_ito1 is faster than junichi_ito2 by 19.999999999999996% ± 10.0%
0
the Tin Man