如何使用array_walk更改元素的值?
例如,这是我的数组,
$items = array(
0 => array(
"id" => "1",
"title" => "parent 1",
"children" => array()
),
1 => array(
"id" => "2",
"title" => "parent 2",
"children" => array (
0 => array(
"id" => "4",
"title" => "children 1"
),
1 => array(
"id" => "5",
"title" => "children 2"
)
),
)
);
我可以通过以下方式更改它,
function myfunction(&$item,$key)
{
if($item['id'] === '1')
{
$item['title'] = 'hello world en';
}
}
array_walk($items,"myfunction");
print_r($items);
但我有一个嵌套的孩子,我也希望改变它的值,如果我这样做,我会得到错误,
function myfunction(&$item,$key)
{
if($item['id'] === '1')
{
$item['title'] = 'hello world en';
}
if($item['id'] === '4')
{
$item['title'] = 'hello world en';
}
foreach($item as $key => $value)
{
if(is_array($value))
{
myfunction($value,$key);
}
}
}
误差,
注意:未定义的索引:在xx行上的... index.php中的id
如果数组中有嵌套子项,我该怎么办?
答案 0 :(得分:5)
您可以通过递归调用回调函数来实现。我已经实现了带闭包的示例,例如:
//replacement array:
$replace = [
'1' => 'foo',
'2' => 'bar',
'5' => 'baz'
];
array_walk($items, $f=function(&$value, $key) use (&$f, $replace)
{
if(isset($replace[$value['id']]))
{
$value['title'] = $replace[$value['id']];
}
if(isset($value['children']))
{
//the loop which is failing in question:
foreach($value['children'] as $k=>&$child)
{
$f($child, $k);
}
//Proper usage would be - to take advantage of $f
//array_walk($value['children'], $f);
}
});
正如您所看到的 - 您需要的只是通过引用传递值并在回调内迭代它作为foreach
的引用。
答案 1 :(得分:2)
当您添加if (!isSet($item['id'])) var_dump($item);
之类的行时,您将看到为何获得未定义的索引。
虽然我不确定你为什么要这样做(你如何利用array_walk()
?)来解决这个问题,你可以使用以下内容:
function myfunction(&$item,$key)
{
if ($item['id'] === '1')
{
$item['title'] = 'hello world en';
}
if ($item['id'] === '4')
{
$item['title'] = 'hello world en';
}
if (isSet($item['children']) && is_array($item['children']))
array_walk($item['children'], __FUNCTION__);
}
这将与给出的示例一起使用。
答案 2 :(得分:1)
foreach($item as $key => $value)
{
if(is_array($value))
{
myfunction($value,$key);
}
}
您遍历$ item中的每个键(id,title,children)。但我想你想要的是通过价值['儿童']的每个元素(价值['儿童'] [0],价值['儿童'] [1]),对吧?所以它可能是这样的:
if(is_array($value)){
foreach($item['children'] as $key => $value){
myfunction($value,$key);
}
}
答案 3 :(得分:1)
问题是你是在传递你的整个孩子,而不是每个孩子的项目。 See this eval了解它的外观。这是代码:
<?php
$items = array(
0 => array(
"id" => "1",
"title" => "parent 1",
"children" => array()
),
1 => array(
"id" => "2",
"title" => "parent 2",
"children" => array (
0 => array(
"id" => "4",
"title" => "children 1"
),
1 => array(
"id" => "5",
"title" => "children 2"
)
),
)
);
function myfunction(&$item) {
if($item['id'] == '1' || $item['id'] == '4') {
$item['title'] = 'hello world en';
}
if( ! empty($item['children'])) {
array_walk($item['children'], "myfunction");
}
}
array_walk($items, "myfunction");
var_dump($items);
答案 4 :(得分:0)
在您发布的代码中,您没有通过foreach
传递引用。
这应该与您发布的代码一起使用。
foreach($item as $key => &$value)
{
if(is_array($value)) {
myfunction($value,$key);
}
}
并且您没有看到未定义的索引,只需在比较值之前检查是否已设置:
if(isset($item['id'])){
if($item['id'] === '1'){
...
}
}