Backend Development 4 min read

Using PHP's array_merge() Function to Combine Arrays

This article explains PHP's array_merge() function, showing its syntax and providing three practical examples that demonstrate how to merge simple arrays, multiple arrays, and associative arrays, while highlighting key overwriting behavior and the resulting output.

php中文网 Courses
php中文网 Courses
php中文网 Courses
Using PHP's array_merge() Function to Combine Arrays

PHP provides many powerful functions for handling arrays, and one of the most useful is array_merge() . This function merges multiple arrays into a new array and returns the result.

The syntax is straightforward:

array_merge ( array $array1 [, array $... ] ) : array

array_merge() accepts any number of array arguments and returns a single merged array.

Example 1: Merging Two Arrays

$array1 = array('apple', 'banana', 'orange');
$array2 = array('kiwi', 'melon', 'grape');
$result = array_merge($array1, $array2);
print_r($result);

Output:

Array
(
    [0] => apple
    [1] => banana
    [2] => orange
    [3] => kiwi
    [4] => melon
    [5] => grape
)

The two original arrays are combined into a single array containing all elements.

Example 2: Merging Multiple Arrays

$array1 = array('apple', 'banana', 'orange');
$array2 = array('kiwi', 'melon', 'grape');
$array3 = array('strawberry', 'pineapple');
$result = array_merge($array1, $array2, $array3);
print_r($result);

Output:

Array
(
    [0] => apple
    [1] => banana
    [2] => orange
    [3] => kiwi
    [4] => melon
    [5] => grape
    [6] => strawberry
    [7] => pineapple
)

All three arrays are merged, preserving the order of elements.

Example 3: Merging Associative Arrays

$array1 = array('name' => 'John', 'age' => 25);
$array2 = array('name' => 'Jane', 'email' => '[email protected]');
$result = array_merge($array1, $array2);
print_r($result);

Output:

Array
(
    [name] => Jane
    [age] => 25
    [email] => [email protected]
)

When associative arrays share the same key, the value from the later array overwrites the earlier one, as shown with the name key.

Summary

The array_merge() function is a versatile tool for combining both indexed and associative arrays in PHP. It offers a concise and efficient way to handle data merging, making array manipulation more flexible and convenient in backend development.

BackendPHPphp-functionsarray_mergearray handling
php中文网 Courses
Written by

php中文网 Courses

php中文网's platform for the latest courses and technical articles, helping PHP learners advance quickly.

0 followers
Reader feedback

How this landed with the community

login Sign in to like

Rate this article

Was this worth your time?

Sign in to rate
Discussion

0 Comments

Thoughtful readers leave field notes, pushback, and hard-won operational detail here.