http://qs321.pair.com?node_id=40239

fundflow has asked for the wisdom of the Perl Monks concerning the following question:

Dear Monks,

There is a subtle and quiet way to shoot yourself in the leg when using array slices. It just happened to me and this note is posted with the hope to save others this 'pleasure'.

<bf>Background</bf>

Array/hash slices are very convinent for vectorizing operations on arrays and hashes. For Matlab users (like me) this is very natural. For example:

@a[1,2,3] = @b[100,200,300];
will copy three of b's elements to a.
Similarly, for hashes:
@a{a,b,c}=@b[100,200,300];
will put the same elements in the hash a.

<bf>The Pitfall<bf>

It order to fill a hash, one can write the following:

@a{a,b,c}=1;
and after that line, the three elements 'a','b','c' will be in %a, BUT they will not contain the value 1!
Thus, the following will not give the expected result:
for (a,b,c,d) { print "$_\n" if $a{$_} } OUTPUT: a
The output contains only 'a' since in the assignment above, $a{a} was assigned the value 1 whereas the rest were created, but are undefined. This is because perl treats the slice as a list and expects the right-hand side to be a list as well, and we only have one element there...

The right way to do it is:

@a{a,b,c}=(1,1,1); or @a{a,b,c}=(1)x3;

The problem here is that this gives a default silent behaviour.

The matlab approach to this, which is very consistent and natural is that assignments like this have to have the same number of elements on both sides. A special case where the r.h.s. is a scalar, is treated as an array of the appropriate size with this repeated element.


It would be nice if when the r.h.s. in the assignment is one element, it will be treated as a list with that element repeated the correct number of times (i.e. Matlab style). If this is too hard to implement, it could be useful to give a warning/error about that.

Notes:
1. if perl is run with -w, then accessing the elements will warn that the elements are undefined, but this will appear in a different location than the assignment
2. Is this the right place in PM for such node?