3

任意に深くネストされた Hash があるとしましょうh:

h = {
  :foo => { :bar => 1 },
  :baz => 10,
  :quux => { :swozz => {:muux => 1000}, :grimel => 200 }
  # ...
}

Cそして、次のように定義されたクラスがあるとしましょう:

class C
  attr_accessor :dict
end

ネストされたすべての値を置き換えて、その値に設定された属性を持つインスタンスにhなるようにするにはどうすればよいですか? たとえば、上記の例では、次のようなものがあると予想されます。Cdict

h = {
  :foo => <C @dict={:bar => 1}>,
  :baz => 10,
  :quux => <C @dict={:swozz => <C @dict={:muux => 1000}>, :grimel => 200}>
  # ...
}

whereは のインスタンスを<C @dict = ...>表します。(ネストされていない値に到達するとすぐに、インスタンスでのラップを停止することに注意してください。)C@dict = ...C

4

2 に答える 2

1
class C
  attr_accessor :dict

  def initialize(dict)
    self.dict = dict
  end
end

class Object
  def convert_to_dict
    C.new(self)
  end
end

class Hash
  def convert_to_dict
    Hash[map {|k, v| [k, v.convert_to_dict] }]
  end
end

p h.convert_to_dict
# => {
# =>   :foo => {
# =>     :bar => #<C:0x13adc18 @dict=1>
# =>   },
# =>   :baz => #<C:0x13adba0 @dict=10>,
# =>   :quux => {
# =>     :swozz => {
# =>       :muux => #<C:0x13adac8 @dict=1000>
# =>     },
# =>     :grimel => #<C:0x13ada50 @dict=200>
# =>   }
# => }
于 2010-06-21T10:31:23.067 に答える
1
def convert_hash(h)
  h.keys.each do |k|
    if h[k].is_a? Hash
      c = C.new
      c.dict = convert_hash(h[k])
      h[k] = c
    end
  end
  h
end

次のように、よりわかりやすい出力を提供するためにオーバーライドinspectすると、次のようになります。C

def inspect
  "<C @dict=#{dict.inspect}>"
end

そして、あなたの例で実行すると、次のようになりますh:

puts convert_hash(h).inspect

{:baz=>10, :quux=><C @dict={:grimel=>200, 
 :swozz=><C @dict={:muux=>1000}>}>, :foo=><C @dict={:bar=>1}>}

また、設定用にinitializeメソッドを追加すると、次のようになります。Cdict

def initialize(d=nil)
  self.dict = d
end

convert_hash次に、真ん中の3行をちょうどに減らすことができますh[k] = C.new(convert_hash_h[k])

于 2010-06-21T00:24:16.447 に答える