How to remove empty values from an array in PHP?

03-Apr-2023

.

Admin

Hi Guys,

In this example,I will learn you how to remove empty values from an array in php.you can easy and simply remove empty values from an array in php.

Using array_filter() Function. It is achieved by using array_filter() function. It also removes false values when declared using a callback function, however, if no callback function is specified, all the values of the array which are equal to FALSE will be removed, such as an empty string or a NULL value.

Example 1:


<?php

// Declare array and stored array value

$array = array("good", 11, '', null, 12,"for", 1997, true, "nice");

// Function to remove empty elements

// from array

$filtered_array = array_filter($array);

// Display the filtered array

var_dump($filtered_array);

?>

Output:

array(6) {

[0]=>

string(5) "good"

[1]=>

int(11)

[4]=>

int(12)

[5]=>

string(3) "for"

[6]=>

int(1997)

[8]=>

string(5) "nice"

}

Using unset() Function. Another approach is to remove empty elements from array is using empty() function along with the unset() function. The empty() function is used to check if an element is empty or not.

<?php

// Declare array and stored array value

$array = array("good", 11, '', null, 12,"for", 1997, false, "nice");

// Loop to find empty elements and

// unset the empty elements

foreach($array as $key => $value)

if(empty($value))

unset($array[$key]);

// Display the array elements

foreach($array as $key => $value)

echo ($array[$key] . "
");

?>

Output:

geeks

11

12

for

1997

geeks

It will help you...

#PHP