我需要将["a", "b", "c", "d"]
转换为{:a => {:b => {:c => "d" }}}
?
有什么想法吗?
由于
答案 0 :(得分:4)
滑稽
ruby-1.8.7-p174 > ["a", "b", "c", "d"].reverse.inject{|hash,item| {item.to_sym => hash}}
=> {:a=>{:b=>{:c=>"d"}}}
答案 1 :(得分:3)
我喜欢它:
class Array
def to_weird_hash
length == 1 ? first : { first.to_sym => last(length - 1).to_weird_hash }
end
end
["a", "b", "c", "d"].to_weird_hash
您怎么看?
答案 2 :(得分:2)
如果你需要为4个元素做到这一点,那么就可以很容易地把它写出来(并且非常易读)
>> A=["a", "b", "c", "d"]
=> ["a", "b", "c", "d"]
>> {A[0].to_sym => {A[1].to_sym => {A[2].to_sym => A[3]}}}
=> {:a=>{:b=>{:c=>"d"}}}
否则,这将适用于可变长度数组
>> ["a", "b", "c", "d"].reverse.inject(){|a,e|{e.to_sym => a}}
=> {:a=>{:b=>{:c=>"d"}}}
>> ["a", "b", "c", "d", "e", "f"].reverse.inject(){|a,e|{e.to_sym => a}}
=> {:a=>{:b=>{:c=>{:d=>{:e=>"f"}}}}}
答案 3 :(得分:0)
我在IRC的帮助下想出来了。
x = {}; a[0..-3].inject(x) { |h,k| h[k.to_sym] = {} }[a[-2].to_sym] = a[-1]; x
递归(更好)的第二种方式
def nest(a)
if a.size == 2
{ a[0] => a[1] }
else
{ a[0] => nest(a[1..-1]) }
end
end