Removing Array Element and Re-Indexing in PHP

In order to remove an element from an array, we can use unset() function which removes the element from an array and then use array_values() function which indexes the array numerically automatically.
Function Used:
- unset(): This function unsets a given variable.
Syntax:void unset ( mixed $var [, mixed $... ] )
- array_values(): This function returns all the values from the array and indexes the array numerically.
Syntax:array array_values ( array $array )
Example 1:
<?php $arr1 = array( 'zambiatek', // [0] 'for', // [1] 'zambiatek' // [2] ); // remove item at index 1 which is 'for' unset($arr1[1]); // Print modified array var_dump($arr1); // Re-index the array elements $arr2 = array_values($arr1); // Print re-indexed array var_dump($arr2); ?> |
Output:
array(2) {
[0]=>
string(5) "zambiatek"
[2]=>
string(5) "zambiatek"
}
array(2) {
[0]=>
string(5) "zambiatek"
[2]=>
string(5) "zambiatek"
}
We can also use array_splice() function which removes a portion of the array and replaces it with something else.
Example 2:
<?php $arr1 = array( 'zambiatek', // [0] 'for', // [1] 'zambiatek' // [2] ); // remove item at index 1 which is 'for' array_splice($arr1, 1, 1); // Print modified array var_dump($arr1); ?> |
Output:
array(2) {
[0]=>
string(5) "zambiatek"
[1]=>
string(5) "zambiatek"
}
PHP is a server-side scripting language designed specifically for web development. You can learn PHP from the ground up by following this PHP Tutorial and PHP Examples.



