我正在尝试在多维数组中搜索名为“test4”的值。该数组如下所示:
Array
(
[0] => Array
(
[VlanId] => Array
(
[0] => 2
)
[Name] => Array
(
[0] => test2
)
)
[1] => Array
(
[VlanId] => Array
(
[0] => 3
)
[Name] => Array
(
[0] => test3
)
)
[2] => Array
(
[VlanId] => Array
(
[0] => 4
)
[Name] => Array
(
[0] => test4
)
)
我发现了以下帖子: Search a multidimensional array php
和
using array_search() to find values in php
我正在使用rescursiveiterator方法来查找值test4。我的代码如下所示:
foreach (new RecursiveIteratorIterator(new RecursiveArrayIterator($vlans)) as $key=>$value) {
if ($value == 'test4') {
print 'fount it. the key is: '. $key .' and value is: '. $value;
break;
}
}
这给出了以下输出:
计算它。关键是:0和值是:test4
我无法使用它来取消设置test4记录,因为[0]只是取消设置outtermost数组中的第一项...在这种情况下,它会删除名为test2的VlanID 2。
一旦我找到它,你能帮我弄清楚如何删除记录test4吗? 我试着阅读以下帖子:Unsetting multi-dimensional arrays in php
但无法完全理解如何解决此问题。
感谢。
编辑1:
foreach ($vlans as $a=>$value) {
if ($value['Name'][0] =='test4' ){
echo 'found it at: '. $value;
unset($vlans[$a]);
break;
}
}
答案 0 :(得分:1)
将$array
视为最外层的数组:
foreach ($array as $a) {
if ($a['Name'][0]) == 'test4') { ... }
}
答案 1 :(得分:1)
这是一个更强大的解决方案,可以在任何多维数组上工作并返回关键路径的数组。它会在$haystack
中搜索$needle
并返回数组中找到的密钥路径数组,否则返回false
。
function arraySearchRecursive($needle, $haystack, $strict=false, $path=array()) {
if(!is_array($haystack)) {
return false;
}
foreach ($haystack as $key => $val) {
if(is_array($val) && $subPath = array_searchRecursive($needle, $val, $strict, $path)) {
$path = array_merge($path, array($key), $subPath);
return $path;
} elseif ((!$strict && $val == $needle) || ($strict && $val === $needle)) {
$path[] = $key;
return $path;
}
}
return false; // value not in array!
}