我有一个如下所示的数组:
[
'applicant' => [
'user' => [
'username' => true,
'password' => true,
'data' => [
'value' => true,
'anotherValue' => true
]
]
]
]
我希望能够做的是将该数组转换为如下所示的数组:
[
'applicant.user.username',
'applicant.user.password',
'applicant.user.data.value',
'applicant.user.data.anotherValue'
]
基本上,我需要以某种方式遍历嵌套数组,每次到达叶子节点时,将整个路径保存为点分隔字符串。
只有true
作为值的键是叶节点,每个其他节点将始终是一个数组。我将如何完成这项工作?
修改
这是我到目前为止所尝试过的,但没有给出预期的结果:
$tree = $this->getTree(); // Returns the above nested array
$crumbs = [];
$recurse = function ($tree, &$currentTree = []) use (&$recurse, &$crumbs)
{
foreach ($tree as $branch => $value)
{
if (is_array($value))
{
$currentTree[] = $branch;
$recurse($value, $currentTree);
}
else
{
$crumbs[] = implode('.', $currentTree);
}
}
};
$recurse($tree);
答案 0 :(得分:1)
此功能可以满足您的需求:
function flattenArray($arr) {
$output = [];
foreach ($arr as $key => $value) {
if (is_array($value)) {
foreach(flattenArray($value) as $flattenKey => $flattenValue) {
$output["${key}.${flattenKey}"] = $flattenValue;
}
} else {
$output[$key] = $value;
}
}
return $output;
}
您可以看到它正在运行here。