gpt4 book ai didi

PHP递归函数错误?

转载 作者:可可西里 更新时间:2023-10-31 22:08:50 26 4
gpt4 key购买 nike

我创建了这个函数来在嵌套数组中搜索,但我一直为这个数组返回 null:

$arr3 = [
'first' => 1,
'second' => 2,
'third' => [
'fourth' => 4,
]
];

/**
* returns the key for the first found value
*
* @param $needle
* @param array $haystack
* @return false|int|string
*/
function array_search_value($needle, array $haystack) {

$result = null;
$found = array_search($needle, $haystack);

if ( $found !== false ) {
// end the recursion
$result = $found;

} else {
foreach ($haystack as $key => $item) {
if (is_array($item)) {
array_search_value($needle, $item);
} else {
continue;
}
}
}

return $result;
}

var_dump(array_search_value(4, $arr3));

我不知道我做错了什么?var_dump() 结果应该是 string "fourth"

最佳答案

如果您在递归过程中找到了您正在寻找的东西,您实际上并没有将它存储在任何地方。这是我推荐的方法:

$arr3 = [
'first' => 1,
'second' => 2,
'third' => [
'fourth' => 4,
]
];

/**
* returns the key for the first found value
*
* @param $needle
* @param array $haystack
* @return null|array
*/
function array_search_value($needle, array $haystack) {

$result = null;
$found = array_search($needle, $haystack);

if ( $found !== false ) {
// end the recursion
$result = [ $found ]; //Array will make sense in a bit

} else {
foreach ($haystack as $key => $item) {
if (is_array($item)) {
$found = array_search_value($needle, $item);
if ($found !== null) {
return array_merge([$key],$found);
}
} else {
continue;
}
}
}

return $result;
}

var_dump(array_search_value(4, $arr3));

返回数组的原因是为了防止子数组与主数组具有相同的键,这样您就可以通过递归访问返回的每个数组条目的数组索引来始终如一地检索正确的键。

查看代码:http://sandbox.onlinephpfunctions.com/code/085c949f660504010ed7ebb7a846e31b3a766d61

下面是一个例子,说明为什么需要返回一个数组:

如果考虑数组:

$arr3 = [
'a' => 1,
'b' => 2,
'c' => [
'a' => 4,
],
"d"=>[
"a" => [
"a" => 19
]
]
];

如果您要查找 4 而不是返回数组,您将返回 a 但这也将是不明确的,因为 a 在根数组中包含 1

http://sandbox.onlinephpfunctions.com/code/43c2f2dfa197400df1e5748e12f12e5346abed3e

如果有多个路径,您可以修改上面的内容以获取通向给定结果的所有路径。

function array_search_value_all($needle, array $haystack) {

$result = [];
$found = array_search($needle, $haystack);

if ( $found !== false ) {
// end the recursion
$result[] = [ $found ]; //Array will make sense in a bit

} else {
foreach ($haystack as $key => $item) {
if (is_array($item)) {
$found = array_search_value($needle, $item);
if ($found !== []) {
$result[] = array_merge([$key],$found);
}
} else {
continue;
}
}
}

return $result;
}

array_search_value_all 将返回指向该值的所有路径的数组。

示例:http://sandbox.onlinephpfunctions.com/code/fa4f5274703abb221f171c6e3ace5529594cdc8c

关于PHP递归函数错误?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54588814/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com