如何将元素添加到PHP中的空数组?

如果我在PHP中定义一个数组,例如(我没有定义它的大小):

$cart = array();

我是否只需使用以下内容向其添加元素?

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

不要PHP中的数组有一个add方法,例如cart.add(13)


array_push和你描述的方法都可以工作。

<?php
$cart = array();
$cart[] = 13;
$cart[] = 14;
// etc
?>

是相同的:

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

// Or 
$cart = array();
array_push($cart, 13, 14);
?>

最好不要使用array_push ,只使用你的建议。 这些功能只会增加开销。

//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';

根据我的经验,当钥匙不重要时,您的解决方案很好(最好):

$cart = [];
$cart[] = 13;
$cart[] = "foo";
$cart[] = obj;
链接地址: http://www.djcxy.com/p/58939.html

上一篇: How to add elements to an empty array in PHP?

下一篇: Insert new item in array on any position in PHP