in reply to define a hash-value, using hash-ref and a list of keys

janssene:

Yes, that's possible. it should be something like:

use strict; use warnings; use Data::Dump qw(pp); my @a = qw(now is the time for all good men); my %h; add_val(\%h, 'FOO', @a); print pp(\%h); sub add_val { my ($hashref, $val, @keylist) = @_; die "Expected a list of keys!" unless @keylist; die "Expected a hashref!" unless "HASH" eq ref $hashref; while (@keylist > 1) { my $key = shift @keylist; $hashref->{$key} = {} if ! exists $hashref->{$key}; $hashref = $hashref->{$key}; } $hashref->{shift @keylist} = $val; }

Untested, your mileage may vary, you can keep all the pieces it might break into, join(", ",@other_disclaimers).

Update: Fixed & tested this time.

...roboticus

When your only tool is a hammer, all problems look like your thumb.

Replies are listed 'Best First'.
Re^2: define a hash-value, using hash-ref and a list of keys
by Lotus1 (Vicar) on Oct 29, 2014 at 14:42 UTC

    roboticus++: Interesting, so at each iteration of the while loop it autovivifies the next key and you end up with a reference to the final memory location.

    # As long as we have multiple keys, access the next subhash while (@keys > 1) { my $key = shift @keylist; $hashref = $hashref->{$key}; }

    Should that be @keylist instead of @keys?

    while (@keylist > 1) { my $key = shift @keylist; $hashref = $hashref->{$key}; }

    Update: I just tried this and it doesn't work. $hashref = $hashref->{$key}; doesn't set anything in the hash and doesn't autovivify. I end up with an empty hash.

    use strict; use warnings; use Data::Dump; my %testhash; my $hr = \%testhash; my $count = 0; while(<DATA>) { print "[", join('-',split ' ', $_), "]\n"; add_val( $hr, ++$count, split ' ', $_); } dd \%testhash; sub add_val { my ($hashref, $val, @keylist) = @_; die "Expected a list of keys!" unless @keylist; die "Expected a hashref!" unless "HASH" eq ref $hashref; # As long as we have multiple keys, access the next subhash while (@keylist > 1) { my $key = shift @keylist; $hashref = $hashref->{$key}; } # Now set the value $hashref->{shift @keylist} = $val; } __DATA__ a1 a2 a3 jjj kkk lll mmm Output: [a1-a2-a3] [jjj-kkk-lll-mmm] {}

    Update again: With the addition of the subhash from your update it works. Thanks.

    Output: [a1-a2-a3] [jjj-kkk-lll-mmm] { a1 => { a2 => { a3 => 1 } }, jjj => { kkk => { lll => { mmm => 2 } } }, }

      Lotus1:

      Yes, it should be @keylist. I also needed to create the subhash when it didn't exist. I've made the appropriate corrections to the parent node.

      ...roboticus

      When your only tool is a hammer, all problems look like your thumb.