我基本上想要使用str_replace多维数组的所有值。我似乎无法弄清楚如何为多维数组进行此操作。当值是一个数组时,我得到一点卡住它似乎是一个永无止境的循环。我是php新手,所以emaples会有所帮助。
function _replace_amp($post = array(), $new_post = array())
{
foreach($post as $key => $value)
{
if (is_array($value))
{
unset($post[$key]);
$this->_replace_amp($post, $new_post);
}
else
{
// Replace :amp; for & as the & would split into different vars.
$new_post[$key] = str_replace(':amp;', '&', $value);
unset($post[$key]);
}
}
return $new_post;
}
由于
答案 0 :(得分:4)
这是错误的,会让你进入一个永无止境的循环:
$this->_replace_amp($post, $new_post);
您不需要发送new_post
作为参数,并且您还希望使每个递归的问题变小。将您的功能更改为以下内容:
function _replace_amp($post = array())
{
$new_post = array();
foreach($post as $key => $value)
{
if (is_array($value))
{
unset($post[$key]);
$new_post[$key] = $this->_replace_amp($value);
}
else
{
// Replace :amp; for & as the & would split into different vars.
$new_post[$key] = str_replace(':amp;', '&', $value);
unset($post[$key]);
}
}
return $new_post;
}
答案 1 :(得分:3)
...... array_walk_recursive出了什么问题?
<?php
$sweet = array('a' => 'apple', 'b' => 'banana');
$fruits = array('sweet' => $sweet, 'sour' => 'lemon');
function test_print($item, $key)
{
echo "$key holds $item\n";
}
array_walk_recursive($fruits, 'test_print');
?>