9

array_chunk使用块大小将数组拆分为多个数组以进行切割。

如果我有一组值数组,而我只想要一个大值数组怎么办?

我可以使用array_merge,但这需要我枚举所有子数组,其中可能有一个可变编号。

目前,我的解决方案是:

foreach($input as $tmp) {foreach($tmp as $val) {
    ...
}}

但这有点混乱,只有因为我想使用这些值才有效。如果我想将数组存储在某个地方怎么办?

编辑:输入来自一组<select multiple>框,用于从多个类别中选择项目。每个项目都有一个全局唯一的(项目之间)ID,所以我只想将输入组合成一个数组并运行它。

输入可能如下所示:

[[4,39,110],[9,54,854,3312,66950],[3]]

预期输出:

[4,39,110,9,54,854,3312,66950,3]

或者:

[3,4,9,29,54,110,854,3312,66950]
4

5 回答 5

5

虽然 PHP 没有内置方法来展平数组,但您可以使用array_reduceand来实现相同的目的array_merge。像这样:

$newArray = array_reduce($array, function ($carry, $item) {
    return array_merge($carry, $item);
}, []);

这应该作为 的逆运算array_chunk

于 2017-02-26T10:23:50.103 回答
5

代码:

$array = [[4,39,110], [9,54,854,3312,66950], [3]];
$array = call_user_func_array('array_merge', $array);

print_r($array);

结果:

Array
(
    [0] => 4
    [1] => 39
    [2] => 110
    [3] => 9
    [4] => 54
    [5] => 854
    [6] => 3312
    [7] => 66950
    [8] => 3
)
于 2018-03-12T13:19:39.927 回答
4

从以下 PHP 文档中提取array_values

/** 
 * Flattens an array, or returns FALSE on fail. 
 */ 
function array_flatten($array) { 
  if (!is_array($array)) { 
    return FALSE; 
  } 
  $result = array(); 
  foreach ($array as $key => $value) { 
    if (is_array($value)) { 
      $result = array_merge($result, array_flatten($value)); 
    } 
    else { 
      $result[$key] = $value; 
    } 
  } 
  return $result; 
}

PHP 没有本地方法来展平数组.. 所以你去。

于 2012-05-15T12:18:35.400 回答
2

对不起,如果我错了,但如果我们在多个选择组中采用相同的名称,那么它将产生一个预期的数组。

<?php
echo '<pre>';
print_r($_POST['cat']);
?>
<form method="post">
<select name="cat[]" multiple="multiple">
<option value="1">1</option>
<option value="2">2</option>
<option value="3">3</option>
<option value="4">4</option>
</select>

<select name="cat[]" multiple="multiple">
<option value="22">2</option>
<option value="33">3</option>
</select>

<select name="cat[]" multiple="multiple">
<option value="111">111</option>
<option value="222">222</option>
<option value="333">333</option>
<option value="444">444</option>
</select>
<input name="" type="submit" />
</form>

输出:

Array
(
    [0] => 1
    [1] => 2
    [2] => 3
    [3] => 4
    [4] => 22
    [5] => 33
    [6] => 222
)
于 2012-05-15T12:26:30.610 回答
2

在这种情况下,将数组转换为参数列表的“...”运算符非常方便(https://www.php.net/manual/en/functions.arguments.php#functions.variable-arg-列表)。

的倒数array_chunk()可能是这样的:

array_merge(...$chunks);

例子:

print_r(array_merge(...[[0,1,2],[3,4,5]]));

输出:

Array
(
   [0] => 0
   [1] => 1
   [2] => 2
   [3] => 3
   [4] => 4
   [5] => 5
)
于 2019-04-14T16:11:57.917 回答