合并两个关联数组而不丢失数字键

问题描述 投票:0回答:7

我正在尝试将一个项目添加到关联数组的开头。 我认为最好的方法是使用 array_merge,但我遇到了一些奇怪的后果。 我从 mysql 数据库获取产品的 id 和名称,并将其作为关联数组返回,如下所示(不是返回的实际数据,而是代表数据大致样子的该问题的示例数据):

$products = array (1 => 'Product 1', 42 => 'Product 42', 100 => 'Product 100');

这将被发送到 html 帮助程序以创建一个将键与值关联起来的下拉列表,并且数组项的值被设置为下拉选择控件中的文本。 我需要第一个项目类似于“请选择”,键为 0,所以我这样做了:

$products = array_merge(array(0 => "Select a product" ), $products);

生成的数组如下所示:

array(
  0 => 'Select a product', 
  1 => 'Product 1', 
  2 => 'Product 42', 
  3 => 'Product 100' 
);

当我真正想要的是不要丢失关联数组的键。 有人告诉我,您可以按照我尝试的方式正确地将 array_merge 与关联数组一起使用,但是,我相信因为我的键是 ints,所以它不会将数组视为真正的关联数组,并如上所示压缩它们。

问题是:为什么 array_merge 函数会改变项目的键? 我可以阻止它这样做吗? 或者有另一种方法可以让我完成我想要做的事情,在数组的开头添加新项目?

php arrays associative-array array-merge
7个回答
58
投票

来自文档

如果要将第二个数组中的数组元素追加到第一个数组,同时不覆盖第一个数组中的元素且不重新索引,请使用 + 数组联合运算符

使用

+
联合运算符时,第一个数组参数中的键将被保留,因此颠倒参数的顺序并使用联合运算符应该可以满足您的需要:

$products = $products + array(0 => "Select a product");

6
投票

只是为了好玩

$newArray = array_combine(array_merge(array_keys($array1),
                                      array_keys($array2)
                                     ),
                          array_merge(array_values($array1),
                                      array_values($array2)
                                     )
                         );

4
投票

array_merge
将重新计算数字索引。因为您的关联数组使用数字索引,所以它们将被重新编号。您可以在索引前面插入一个非数字字符,例如:

$products = array ('_1' => 'Product 1', '_42' => 'Product 42', '_100' => 'Product 100');

或者您可以手动创建结果数组:

$newproducts = array (0 => "Select a product");
foreach ($products as $key => $value)
    $newproducts[$key] = $value;

2
投票

您可以使用数组运算符

+

$products = array(0 => "Select a product" ) + $products;

它会进行并集,并且仅在键不重叠时才起作用。


1
投票

来自文档

输入数组中带有数字键的值将使用递增键重新编号 结果数组中从零开始。


1
投票

你想看看

array_replace
功能。

在此示例中,它们的功能相同:

$products1 = array (1 => 'Product 1', 42 => 'Product 42', 100 => 'Product 100');
$products2 = array (0 => 'Select a product');

$result1 = array_replace($products1, $products2);
$result2 = $products1 + $products2;

Result for both result1 and result2: Keys are preserved:
array(4) {
  [1] => string(9) "Product 1"
  [42] => string(10) "Product 42"
  [100] => string(11) "Product 100"
  [0] => string(16) "Select a product"
}

但是,如果两个数组中存在相同的键,则它们会有所不同:+ 运算符不会覆盖该值,而 array_replace 会覆盖该值。


0
投票

你可以尝试类似的事情

$products[0]='Select a Product'
ksort($products);

这应该将 0 放在数组的开头,但它也会按您可能不想要的数字顺序对其他产品进行排序。

© www.soinside.com 2019 - 2024. All rights reserved.