任何人都可以告诉我为什么会这样:
['a', 'b'].inject({}) {|m,e| m[e] = e }
抛出错误:
IndexError: string not matched
from (irb):11:in `[]='
from (irb):11:in `block in irb_binding'
from (irb):11:in `each'
from (irb):11:in `inject'
from (irb):11
from C:/Ruby192/bin/irb:12:in `<main>'
而以下工作?
a = {}
a["str"] = "str"
答案 0 :(得分:71)
您的块需要返回累积哈希:
['a', 'b'].inject({}) {|m,e| m[e] = e; m }
相反,它在第一次传递后返回字符串'a',在下一次传递中变为m
,最后调用字符串的[]=
方法。
答案 1 :(得分:46)
该块必须返回累加器(哈希),正如@Rob所说。一些替代方案:
使用Hash#update
:
hash = ['a', 'b'].inject({}) { |m, e| m.update(e => e) }
使用Enumerable#each_with_object
:
hash = ['a', 'b'].each_with_object({}) { |e, m| m[e] = e }
使用Hash#[]
:
hash = Hash[['a', 'b'].map { |e| [e, e] }]
使用Array#to_h
(Ruby&gt; = 2.1):
hash = ['a', 'b'].map { |e| [e, e] }.to_h
来自Facets的Enumerable#mash:
require 'facets'
hash = ['a', 'b'].mash { |e| [e, e] }
答案 2 :(得分:20)
您应该研究Enumerable#each_with_object
。
inject
要求您返回正在累积的对象,each_with_object
会自动执行此操作。
来自文档:
使用给定的任意对象迭代每个元素的给定块,并返回最初给定的对象。
如果没有给出阻止,则返回一个枚举器。
e.g:
evens = (1..10).each_with_object([]) {|i, a| a << i*2 }
#=> [2, 4, 6, 8, 10, 12, 14, 16, 18, 20]
所以,更接近你的问题:
[1] pry(main)> %w[a b].each_with_object({}) { |e,m| m[e] = e }
=> {"a"=>"a", "b"=>"b"}
请注意inject
和each_with_object
颠倒了生成参数的顺序。