Dynamically create hash

Hi,
i would like to dynamically create hashes, so that I can create them by
looping over the names.

Something like:

for i in 1…10
“hash#{i}” = Hash.new
“hash#{i}” = [:key => “val”]
end

So the hashes created would go by the names hash1, hash2, hash3…

Does anyone know how to do that?

thanks
mat

I’ve no idea why you want this, but I think you want to have an array of
hashes to iterate through.

like this:

hashes = []
for i in 0…9
hashes[i] = {“key” => “val”}
end

so hashes contains
[{“key”=>“val”}, {“key”=>“val”}, {“key”=>“val”}, {“key”=>“val”},
{“key”=>“val”}, {“key”=>“val”}, {“key”=>“val”}, {“key”=>“val”},
{“key”=>“val”}, {“key”=>“val”}]

Matthias W. wrote:

Hi,
i would like to dynamically create hashes, so that I can create them by
looping over the names.

Something like:

for i in 1…10
“hash#{i}” = Hash.new
“hash#{i}” = [:key => “val”]
end

So the hashes created would go by the names hash1, hash2, hash3…

Does anyone know how to do that?

thanks
mat

Matthias W. wrote:

Hi,
i would like to dynamically create hashes, so that I can create them by
looping over the names.

You can do that using eval (or using instance variables), but that’s
evil.
It would probably make more sense to use an array or hash of hashes.

Something like:

for i in 1…10
“hash#{i}” = Hash.new
“hash#{i}” = [:key => “val”]
end

So the hashes created would go by the names hash1, hash2, hash3…

hashes=Array.new(10) do |i|
{:key => “val”}
end

This gives you hashes[0] to hashes[9].

HTH,
Sebastian

Thanks guys, that helped a lot.

On Oct 11, 6:57 am, Matthias W. [email protected] wrote:

So the hashes created would go by the names hash1, hash2, hash3…

Does anyone know how to do that?

As other posters have mentioned, it’s quite possible you don’t want to
do that, but instead want an Array or Hash of Hashes to allow you to
more easily access the individual Hashes.

However, that’s not as fun as exploring the possibilities :slight_smile: You could
use Object#instance_variable_set, but then you’d have @hash1,
@hash2, … instead of hash1, hash2, …

Using Kernel#eval e.g. eval "hash1={:key=>value}; … " won’t work
because as of Ruby 1.8, you’re required to define local variables in
the outer scope prior to executing eval which would defeat the
purpose.

However, I noticed Kernel#eval accepts a binding parameter, so the
following may do what you thought you wanted to do (but probably don’t
actually want to do):

eval (1…10).inject(“”) {|m,o| m << “hash#{o}={:key =>
‘value#{o}’};” }, binding

Brian A.