Perl provides various inbuilt functions to add and remove the elements in an array.
Function | Description |
---|
push | Inserts values of the list at the end of an array |
---|
pop | Removes the last value of an array |
---|
shift | Shifts all the values of an array on its left |
---|
unshift | Adds the list element to the front of an array |
---|
push function
This function inserts the values given in the list at an end of an array. Multiple values can be inserted separated by comma. This function increases the size of an array. It returns number of elements in new array.
Syntax: push(Array, list)
Example:
Perl
#!/usr/bin/perl
@x = ( 'Java' , 'C' , 'C++' );
print "Original array: @x \n" ;
push ( @x , 'Python' , 'Perl' );
print "Updated array: @x" ;
|
Output:
Original array: Java C C++
Updated array: Java C C++ Python Perl
pop function
This function is used to remove the last element of the array. After executing the pop function, size of the array is decremented by one element. This function returns undef if list is empty otherwise returns the last element of the array.
Syntax: pop(Array)
Example:
Perl
#!/usr/bin/perl
@x = ( 'Java' , 'C' , 'C++' );
print "Original array: @x \n" ;
print "Value returned by pop: " , pop ( @x );
print "\nUpdated array: @x" ;
|
Output:
Original array: Java C C++
Value returned by pop: C++
Updated array: Java C
shift function
This function returns the first value in an array, removing it and shifting the elements of the array list to the left by one. Shift operation removes the value like pop but is taken from the start of the array instead of the end as in pop. This function returns undef if the array is empty otherwise returns first element of the array.
Syntax: shift(Array)
Example:
Perl
#!/usr/bin/perl
@x = ( 'Java' , 'C' , 'C++' );
print "Original array: @x \n" ;
print "Value returned by shift: " ,
shift ( @x );
print "\nUpdated array: @x" ;
|
Output:
Original array: Java C C++
Value returned by shift :Java
Updated array: C C++
unshift function
This function places the given list of elements at the beginning of an array. Thereby shifting all the values in an array by right. Multiple values can be unshift using this operation. This function returns the number of new elements in an array.
Syntax: unshift(Array, List)
Example:
Perl
#!/usr/bin/perl
@x = ( 'Java' , 'C' , 'C++' );
print "Original array: @x \n" ;
print "No of elements returned by unshift: " ,
unshift ( @x , 'PHP' , 'JSP' );
print "\nUpdated array: @x" ;
|
Output:
Original array: Java C C++
No of elements returned by unshift :5
Updated array: PHP JSP Java C C++