分类:
2008-09-09 10:54:45
$ITEM = shift(@ARRAY);Perl's shift() function is used to remove and return the first element from an array, which reduces the number of elements by one. The first element in the array is the one with the lowest index. It's easy to confuse this function with , which removes the last element from an array.
@myNames = ('Larry', 'Curly', 'Moe');If you think of an array as a row of numbered boxes, going from left to right, it would be the element on the far left. The shift() function would cut the element off the left side of the array, return it, and reduce the elements by one. In the examples, the value of $oneName becomes 'Larry', the first element, and @myNames is shortened to ('Curly', 'Moe').
$oneName = shift(@myNames);
The array can also be thought of as a stack - picture of a stack of numbered boxes, starting with 0 on the top and increasing as it goes down. The shift() function would shift the element off the top of the stack, return it, and reduce the size of the stack by one.
@myNames = (
'Larry',
'Curly',
'Moe'
);
$oneName = shift(@myNames);
UNSHIFT
$TOTAL = unshift(@ARRAY, VALUES);Perl's unshift() function is used to add a value or values onto the beginning of an array (prepend), which increases the number of elements. The new values then become the first elements in the array. It returns the new total number of elements in the array. It's easy to confuse this function with , which adds elements to the end of an array.@myNames = ('Curly', 'Moe');Picture a row of numbered boxes, going from left to right. The unshift() function would add the new value or values on to the left side of the array, and increase the elements. In the examples, the value of @myNames becomes ('Larry', 'Curly', 'Moe').
unshift(@myNames, 'Larry');The array can also be thought of as a stack - picture of a stack of numbered boxes, starting with 0 on the top and increasing as it goes down. The unshift() function would add the value to the top of the stack, and increase the overall size of the stack.
@myNames = (You can unshift() multiple values onto the array directly:
'Curly',
'Moe'
);
unshift(@myNames, 'Larry');@myNames = ('Moe', 'Shemp');Or by unshift()-ing an array:
unshift(@myNames, ('Larry', 'Curly'));@myNames = ('Moe', 'Shemp');
@moreNames = ('Larry', 'Curly');
unshift(@myNames, @moreNames);