¿Cómo agregar elementos a una matriz vacía en PHP?

Resuelto AquinasTub asked hace 54 años • 9 respuestas

Si defino una matriz en PHP como (no defino su tamaño):

$cart = array();

¿Simplemente le agrego elementos usando lo siguiente?

$cart[] = 13;
$cart[] = "foo";
$cart[] = obj;

¿Las matrices en PHP no tienen un método de adición, por ejemplo cart.add(13)?

AquinasTub avatar Jan 01 '70 08:01 AquinasTub
Aceptado

Ambos array_pushy el método que describiste funcionarán.

$cart = array();
$cart[] = 13;
$cart[] = 14;
// etc

//Above is correct. but below one is for further understanding
$cart = array();
for($i=0;$i<=5;$i++){
    $cart[] = $i;  
}
echo "<pre>";
print_r($cart);
echo "</pre>";

Es lo mismo que:

<?php
$cart = array();
array_push($cart, 13);
array_push($cart, 14);

// Or 
$cart = array();
array_push($cart, 13, 14);
?>
Bart S. avatar Mar 24 '2009 09:03 Bart S.

Es mejor no usarlo array_pushy simplemente usar lo que sugieres. Las funciones simplemente añaden gastos generales.

//We don't need to define the array, but in many cases it's the best solution.
$cart = array();

//Automatic new integer key higher than the highest 
//existing integer key in the array, starts at 0.
$cart[] = 13;
$cart[] = 'text';

//Numeric key
$cart[4] = $object;

//Text key (assoc)
$cart['key'] = 'test';
OIS avatar Mar 24 '2009 09:03 OIS