Home > Article > Backend Development > How Can I Efficiently Insert Elements into Specific Array Positions in PHP?
Inserting elements into an array at a specified position is a common task in programming. Consider two arrays:
$array_1 = array( 'zero' => 'zero', 'one' => 'one', 'two' => 'two', 'three' => 'three', ); $array_2 = array( 'zero' => '0', 'one' => '1', 'two' => '2', 'three' => '3', );
Suppose you want to insert the element array('sample_key' => 'sample_value') after the third element of each array.
The array_slice() function can assist you in extracting parts of the array. To insert the element, concatenate the parts using the union array operator ( ).
$res = array_slice($array, 0, 3, true) + array("my_key" => "my_value") + array_slice($array, 3, count($array)-3, true);
In this example:
$array = array( 'zero' => '0', 'one' => '1', 'two' => '2', 'three' => '3', ); $res = array_slice($array, 0, 3, true) + array("my_key" => "my_value") + array_slice($array, 3, count($array) - 1, true) ; print_r($res);
The output is:
Array ( [zero] => 0 [one] => 1 [two] => 2 [my_key] => my_value [three] => 3 )
This technique effectively inserts the desired element into the specified position of both arrays.
The above is the detailed content of How Can I Efficiently Insert Elements into Specific Array Positions in PHP?. For more information, please follow other related articles on the PHP Chinese website!