Ruby hash hash hash

How can I get the hash hash?

My test returns

undefined method `[] 'for nil: NilClass (NoMethodError)

Any advice?

found = Hash.new()
x = 1;

while x < 4 do
  found[x] = Hash.new()
  y = 1

  while y < 4 do
    found[x][y] = Hash.new()
    found[x][y]['name1'] = 'abc1'
    found[x][y]['name2'] = 'abc2'
    found[x][y]['name3'] = 'abc3'

    y += 1
  end

  x += 1
end

found.each do |k, v, y|
  puts "k : #{k}"
  puts "  : #{v[y['name1']]}"
  puts "  : #{v[y['name2']]}"
  puts "  : #{v[y['name3']]}"
  puts
end

      

+3


source to share


2 answers


I think you want something like this:

First of all, create a data structure. You want nested hashes, so you need to define default values ​​for each hash key.

found = Hash.new do |hash,key| 
    hash[key] = Hash.new do |hash,key|
        hash[key] = Hash.new
    end
end

      

Run search



(1..3).each do |x|
  (1..3).each do |y|
    found[x][y]['name1'] = 'abc1'
    found[x][y]['name2'] = 'abc1'
    found[x][y]['name3'] = 'abc1'    
  end
end

      

Then display the results

found.each do |x, y_hash|
  y_hash.each do |y, name_hash|
    name_hash.each do |name, value|
      puts "#{x} => #{y} => #{name} => #{value}"
    end
  end
end

      

+2


source


The way you create the hash seems to be functional. This error is probably caused by this loop:

found.each do |k, v, y|

      

Hash#each

gives key / value pairs, so y

will be assigned nil

, which will result in two lines below error. What you probably meant is a nested loop like



found.each do |x, h1|
  h1.each do |y, h2|
    puts h2['name1']
  end
end

      

You should also be aware that you can write these types of counting loops more concisely in Ruby:

found = Hash.new { |h,k| h[k] = {} }

1.upto(3) do |x|
  1.upto(3) do |y|
    found[x][y] = {
      'name1' => 'abc1',
      'name2' => 'abc2',
      'name3' => 'abc3',
    }
  end
end

      

+2


source







All Articles