Open In App

Program to remove empty array elements in PHP

Last Updated : 20 Sep, 2018
Improve
Improve
Like Article
Like
Save
Share
Report

Given an array containing elements. The task is to remove empty elements from the array such as an empty string or a NULL element.

Method 1: 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:




<?php
  
// Declare array and stored array value
$array = array("geeks", 11, '', null, 12, 
            "for", 1997, false, "geeks");
              
// 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) "geeks"
  [1]=>
  int(11)
  [4]=>
  int(12)
  [5]=>
  string(3) "for"
  [6]=>
  int(1997)
  [8]=>
  string(5) "geeks"
}

Method 2: 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.

Example:




<?php
  
// Declare array and stored array value
$array = array("geeks", 11, '', null, 12, 
           "for", 1997, false, "geeks");
             
// 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] . "<br>");
?>


Output:

geeks
11
12
for
1997
geeks


Like Article
Suggest improvement
Previous
Next
Share your thoughts in the comments

Similar Reads