web-dev-qa-db-fra.com

Comment insérer un élément au début d'un tableau en PHP?

Je sais comment l'insérer jusqu'au bout en:

$arr[] = $item;

Mais comment l'insérer au début?

115
web

Utilisez array_unshift ($ array, $ item);

$arr = array('item2', 'item3', 'item4');
array_unshift($arr , 'item1');
print_r($arr);

te donnera

Array
(
 [0] => item1
 [1] => item2
 [2] => item3
 [3] => item4
)
201
Trav L

Dans le cas d'un tableau associatif ou d'un tableau numéroté pour lequel vous ne souhaitez pas modifier les clés du tableau:

$firstItem = array('foo' => 'bar');

$arr = $firstItem + $arr;

array_merge ne fonctionne pas car il réindexe toujours le tableau.

76
tihe

Utilisez la fonction array_unshift

5
MaxiWheat

Utilisez array_unshift () pour insérer le premier élément d'un tableau.

User array_shift () to supprime le premier élément d'un tableau.

3
Vinit Kadkol
3
DarthVader

Ou vous pouvez utiliser un tableau temporaire puis supprimer le vrai si vous voulez le changer en cycle:

$array = array(0 => 'a', 1 => 'b', 2 => 'c');
$temp_array = $array[1];

unset($array[1]);
array_unshift($array , $temp_array);

la sortie sera:

array(0 => 'b', 1 => 'a', 2 => 'c')

et quand le font en cycle, vous devriez nettoyer $temp_array après avoir ajouté un élément au tableau.

2
Arnas Pečelis

Insérer un élément au début d'un tableau associatif avec chaîne/clé d'index personnalisée

<?php

$array = ['keyOne'=>'valueOne', 'keyTwo'=>'valueTwo'];

$array = array_reverse($array);

$array['newKey'] = 'newValue';

$array = array_reverse($array);

R&EACUTE;SULTAT

[
  'newKey' => 'newValue',
  'keyOne' => 'valueOne',
  'keyTwo' => 'valueTwo'
]
2
Manish Dhruw

Avec index personnalisé:

$arr=array("a"=>"one", "b"=>"two");
    $arr=array("c"=>"three", "d"=>"four").$arr;

    print_r($arr);
    -------------------
    output:
    ----------------
    Array
    (
    [c]=["three"]
    [d]=["four"]
    [a]=["two"]
    [b]=["one"]
    )
0
Timothy Nwanwene