转换这个数组:

a = ["item 1", "item 2", "item 3", "item 4"] 

...到哈希值:

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

例如,偶数下标处的元素是键,奇数下标处的元素是值。


当前回答

枚举器包括Enumerable。从2.1开始,Enumerable也有一个方法#to_h。这就是为什么,我们可以写:-

a = ["item 1", "item 2", "item 3", "item 4"]
a.each_slice(2).to_h
# => {"item 1"=>"item 2", "item 3"=>"item 4"}

因为没有block的#each_slice给了我们Enumerator,并且根据上面的解释,我们可以在Enumerator对象上调用#to_h方法。

其他回答

只用哈希。[]与数组中的值。例如:

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

所有答案都假设起始数组是唯一的。OP没有指定如何处理具有重复条目的数组,这会导致重复的键。

让我们来看看:

a = ["item 1", "item 2", "item 3", "item 4", "item 1", "item 5"]

你将失去item 1 => item 2对,因为它被覆盖了bij item 1 => item 5:

Hash[*a]
=> {"item 1"=>"item 5", "item 3"=>"item 4"}

所有的方法,包括reduce(&:merge!)都会导致相同的删除。

不过,这可能正是你所期望的。但在其他情况下,你可能想要得到一个数组为值的结果:

{"item 1"=>["item 2", "item 5"], "item 3"=>["item 4"]}

naïve的方法是创建一个辅助变量,一个有默认值的散列,然后在循环中填充:

result = Hash.new {|hash, k| hash[k] = [] } # Hash.new with block defines unique defaults.
a.each_slice(2) {|k,v| result[k] << v }
a
=> {"item 1"=>["item 2", "item 5"], "item 3"=>["item 4"]}

也许可以在一行中使用assoc和reduce来完成上述操作,但这将变得更加难以推理和阅读。

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

就是这样。*被称为splat操作符。

@Mike Lewis(在评论中)提醒一句:“要非常小心。Ruby在堆栈上扩展splat。如果你用一个大型数据集来做这件事,预计会让你的堆栈崩溃。”

因此,对于大多数一般的用例,这种方法是很好的,但如果您想对大量数据进行转换,请使用不同的方法。例如,@Łukasz Niemier(也在评论中)为大型数据集提供了这种方法:

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

枚举器包括Enumerable。从2.1开始,Enumerable也有一个方法#to_h。这就是为什么,我们可以写:-

a = ["item 1", "item 2", "item 3", "item 4"]
a.each_slice(2).to_h
# => {"item 1"=>"item 2", "item 3"=>"item 4"}

因为没有block的#each_slice给了我们Enumerator,并且根据上面的解释,我们可以在Enumerator对象上调用#to_h方法。

这就是我在谷歌上搜索这个的时候想要的:

[{a: 1}, {b: 2}].reduce({}) {|h, v| h.merge v} => {:a=>1,:b=>2}