How to use array_pad() Function In PHP

The array_pad() function can pad an array to a specified length with a specified value, starting from an initial empty array.

Example: array_pad([], $length, 0) creates an empty array and pads it to $length elements, each initialized to 0.

PHP
<?php
function zeroFilledArr($len) {
    return array_pad([], $len, 0);
}
// Driver code
$len = 5;
$arr = zeroFilledArr($len);
print_r($arr);
?>

Output
Array
(
    [0] => 0
    [1] => 0
    [2] => 0
    [3] => 0
    [4] => 0
)

Creating a Zero-Filled Array in PHP

Creating an array filled with zeros can be useful in various scenarios, such as initializing an array for further manipulation or setting up a default state. This article explores multiple approaches to creating a zero-filled array in PHP. A zero-filled array is an array where each element is initialized to zero. This can be achieved using different PHP functions and methods.

These are the following methods:

Table of Content

  • Using array_fill() Function
  • Using a for Loop
  • Using array_map() and range() Functions
  • Using array_pad() Function

Similar Reads

Using array_fill() Function

The array_fill() function is a straightforward way to create an array filled with a specified value....

Using a for Loop

A for loop can be used to manually populate an array with zeros....

Using array_map() and range() Functions

The combination of array_map() and range() can create a zero-filled array....

Using array_pad() Function

The array_pad() function can pad an array to a specified length with a specified value, starting from an initial empty array....