in reply to Sub hash param by reference
I've cleaned up the code a bit, and then made some fixes. you're trying to dereference things that aren't refs ;) Read the inline comments...
use warnings; use strict; my %hash_rec; $hash_rec{id} = "001"; doSub1(\%hash_rec); print "back main, id=$hash_rec{'id'}, id2=$hash_rec{'id2'}\n"; sub doSub1 { my ($hash_ref) = @_; print "inside doSub1, id=$hash_ref->{id}\n"; # you're not assigning a reference to $hash_ref->{id2}, # you're assigning a simple string $hash_ref->{id2} = "002"; # you're only sending a scalar string to doSub2()... # $hash_ref->{id2} eq "002" doSub2($hash_ref->{id2}); } sub doSub2 { # $id2_ref is NOT a reference... it's the value of # $hash_ref->{id2}, which is a scalar string only my ($id2_ref) = @_; print "inside doSub2, id2=$id2_ref\n"; # no need to deref this! }
Output:
inside doSub1, id=001 inside doSub2, id2=002 back main, id=001, id2=002
-> is the canonical dereference operator that you should be using, and don't put & at the beginning of sub calls. That's legacy perl 4 code, and isn't needed/shouldn't be used unless you know why you need them. Also, there's no need to define a main() sub. All portions of your program that are not wrapped in subs (or external modules, which you're not using here) already belong to "main".
|
|---|
| Replies are listed 'Best First'. | |
|---|---|
|
Re^2: Sub hash param by reference
by hankcoder (Scribe) on Jul 08, 2016 at 04:05 UTC | |
by GrandFather (Saint) on Jul 08, 2016 at 04:20 UTC | |
by hankcoder (Scribe) on Jul 08, 2016 at 04:54 UTC | |
by Athanasius (Archbishop) on Jul 10, 2016 at 08:44 UTC | |
by hankcoder (Scribe) on Jul 10, 2016 at 12:46 UTC |