Array to Hash Ruby Array to Hash Ruby ruby ruby

Array to Hash Ruby


a = ["item 1", "item 2", "item 3", "item 4"]h = Hash[*a] # => { "item 1" => "item 2", "item 3" => "item 4" }

That's it. The * is called the splat operator.

One caveat per @Mike Lewis (in the comments): "Be very careful with this. Ruby expands splats on the stack. If you do this with a large dataset, expect to blow out your stack."

So, for most general use cases this method is great, but use a different method if you want to do the conversion on lots of data. For example, @Ɓukasz Niemier (also in the comments) offers this method for large data sets:

h = Hash[a.each_slice(2).to_a]


Ruby 2.1.0 introduced a to_h method on Array that does what you require if your original array consists of arrays of key-value pairs: http://www.ruby-doc.org/core-2.1.0/Array.html#method-i-to_h.

[[:foo, :bar], [1, 2]].to_h# => {:foo => :bar, 1 => 2}


Just use Hash.[] with the values in the array. For example:

arr = [1,2,3,4]Hash[*arr] #=> gives {1 => 2, 3 => 4}