Reputation: 6471
My code is finding all keys with a specific character from my multidimensional array:
<?
$array = ["farm"=>
[
"horse"=>
[
"rabbit"=>
[
"name"=> "alan",
"age"=> "21",
"size"=> "166",
"gender"=> "f"
],
]
]
];
function createList($array, $keySearch, $path=null) {
$result = [];
foreach ($array as $key => $item) {
$basePath = $path === null ? $key : $path. "/" . $key;
if (stripos($key, $keySearch) !== false)
$result[] = ['key' => $key, 'basePath' => $basePath];
if(is_array($item))
$result = array_merge($result, createList($item, $keySearch, $basePath));
}
return $result;
}
$keySearch = 'a';
$res = createList($array, $keySearch);
print_r($res);
My output:
Array
(
[0] => Array
(
[key] => farm
[basePath] => farm
)
[1] => Array
(
[key] => rabbit
[basePath] => farm/horse/rabbit
)
[2] => Array
(
[key] => name
[basePath] => farm/horse/rabbit/name
)
[3] => Array
(
[key] => age
[basePath] => farm/horse/rabbit/age
)
)
But I need only the keys, that have a key as a child. So in this case my result should be:
Array
(
[0] => Array
(
[key] => farm
[basePath] => farm
)
[1] => Array
(
[key] => rabbit
[basePath] => farm/horse/rabbit
)
)
Upvotes: 2
Views: 45
Reputation: 1236
try changing if (stripos($key, $keySearch) !== false)
to if (stripos($key, $keySearch) !== false && is_array($item))
Upvotes: 0
Reputation: 9583
May be this is what you are looking for, please check and let me know. Just check your item has childs or not by using is_array($item)
in the if condition.
Just change the function:
function createList($array, $keySearch, $path=null) {
$result = [];
foreach ($array as $key => $item) {
$basePath = $path === null ? $key : $path. "/" . $key;
if (stripos($key, $keySearch) !== false && is_array($item)){
$result[] = ['key' => $key, 'basePath' => $basePath];
}
if(is_array($item))
$result = array_merge($result, createList($item, $keySearch, $basePath));
}
return $result;
}
Upvotes: 1
Reputation: 2995
Use if(is_array($item))
after $basePath = $path === null ? $key : $path. "/" . $key;
$array = ["farm"=>
[
"horse"=>
[
"rabbit"=>
[
"name"=> "alan",
"age"=> "21",
"size"=> "166",
"gender"=> "f"
],
]
]
];
function createList($array, $keySearch, $path=null) {
$result = [];
foreach ($array as $key => $item) {
$basePath = $path === null ? $key : $path. "/" . $key;
if(is_array($item))
if (stripos($key, $keySearch) !== false)
$result[] = ['key' => $key, 'basePath' => $basePath];
if(is_array($item))
$result = array_merge($result, createList($item, $keySearch, $basePath));
}
return $result;
}
$keySearch = 'a';
$res = createList($array, $keySearch);
print_r($res);
This will give you
Array
(
[0] => Array
(
[key] => farm
[basePath] => farm
)
[1] => Array
(
[key] => rabbit
[basePath] => farm/horse/rabbit
)
)
Upvotes: 0