Q:

How to Delete an Element from an Array in PHP

0

How to Delete an Element from an Array in PHP

All Answers

need an explanation for this answer? contact us directly to get an explanation for this answer

Use the PHP unset() Function

If you want to delete an element from an array you can simply use the unset() function.

The following example shows how to delete an element from an associative array and numeric array.

<?php
$arr1 = array("a" => "Apple", "b" => "Ball", "c" => "Cat");
unset($arr1["b"]); 
// RESULT: array("a" => "Apple", "c" => "Cat")
 
$arr2 = array(1, 2, 3);
unset($arr2[1]);
// RESULT: array(0 => 1, 2 => 3)
?>

If you see the above example carefully you will find that the unset() function didn't reindex the array after deleting the value from the numeric array (line no-8). To fix this you can use the array_splice() function. It takes three parameters: an array, offset (where to start), and length (number of elements to be removed). Let's see how it actually works:

<?php
$arr = array(1, 2, 3);
array_splice($arr, 1, 1);
// RESULT: array(0 => 1, 1 => 3)
?>

need an explanation for this answer? contact us directly to get an explanation for this answer

total answers (1)

PHP  and MySQL Frequently Asked Questions

This question belongs to these collections

Similar questions


need a help?


find thousands of online teachers now
How to Check If a String Contains a Specific Word ... >>
<< Foreach loop through multidimensional array in PHP...