How can I delete an element from an array in PHP?

I have an array in my PHP script containing some elements I need to remove. Is there a way to delete an element from an array in PHP, and if so, can you provide an example of how to do it? I need to remove a specific component, not the entire array itself.

You can use the unset() function to delete an element from an array in PHP. This function removes a specific element from an array based on its key or index.

$array = array(1, 2, 3, 4, 5);

unset($array[2]); 

// Outputs: Array ( [0] => 1 [1] => 2 [3] => 4 [4] => 5 )

You can also use unset() to delete multiple elements from an array by passing it multiple keys or indexes.

$array = array(1, 2, 3, 4, 5); 

unset($array[0], $array[2], $array[4]); 

// Outputs: Array ( [1] => 2 [3] => 4 )

You can also use the array_splice() function. The good thing about the array_splice() function is that it automatically reindexes the array.

$array = array(1, 2, 3, 4, 5); 

array_splice($array, 2, 1); 

print_r($array); 
// Outputs: Array ( [0] => 1 [1] => 2 [2] => 4 [3] => 5 )

Another solution could be the array_filter() function: This function allows you to remove elements from an array by specifying a callback function that returns a boolean value indicating whether or not the element should be included in the resulting array.

$array = array(1, 2, 3, 4, 5); 

$new_array = array_filter($array, function($value) {
    return $value != 3; 
});

print_r($new_array); 
// Outputs: Outputs: Array ( [0] => 1 [1] => 2 [3] => 4 [4] => 5 )