2

这就是我现在所做的

h = Hash.new { |h1, k1| h1[k1] = Hash.new { |h2, k2| h2[k2] = {} } }

虽然它有效,但它看起来有点模棱两可。也许有更好的方法来做同样的事情?

4

3 回答 3

3
h = hash.new{ |h,k| h[k] = Hash.new(&h.default_proc) }

Then you can assign in anyway you like,

h[:a][:b][:c][:d] = 3

Reference: ref

于 2013-01-05T16:58:03.527 回答
1

您可以像这样递归地创建一个。

def create n
  return {} if n == 0
  Hash.new {|h, k| h[k] = create(n - 1)}
end

h  = create 3
h[1][1][1] = 2
p h[1][1][1]       # => 2
p h[2][1][2]       # => {}
h[2][1][2] = 3
p h                # => {1=>{1=>{1=>2}}, 2=>{1=>{2=>3}}}
于 2013-01-05T14:56:15.240 回答
1

你的代码是正确的。您可以对其进行分类:

class NestedHash < Hash

  def initialize(depth)
    self.default_proc = Proc.new {|h,k| h[k] = NestedHash.new(depth-1)} if depth && depth > 1
  end

end

h = NestedHash.new(3)
于 2013-01-05T15:44:18.900 回答