递归比较多维数组并提取重叠值

问题描述 投票:0回答:2

我从事一些单元测试。我的结果是大的多维数组。我不想比较整个数组,而只想比较这个“层次结构”中的几个键。这是我期望的数组的片段:

    $expected = array(
        'john' => array(
            'maham' => 4563,
        ),
        'gordon' => array(
            'agrar' => array(
                'sum' => 7895,
            ),
        ),
        'invented' => 323,
    );

结果数组更大,但有一些条目与我预期的相同。所以我想对它们进行比较。如果值相等。

我尝试了一些 array_intersect、diff 函数,但它们似乎不适用于多维数组。

是否有一种方法可以在我的预期数组上使用 array_walk_recursive 并获取结果数组的适当键?像指针或引用之类的东西?

php arrays multidimensional-array comparison array-intersect
2个回答
3
投票

array_intersect()
不比较关联键,它只查看值,您需要使用
array_intersect_assoc()
来比较键和值。但是,此函数只会比较基本键,而不比较嵌套数组的键。

 array_intersect_assoc($expected, $result);

也许最好的解决方案是使用以下技术,使用

array_uintersect_assoc()
,您可以在其中定义比较函数。

$intersect = array_uintersect_assoc($expected, $result, "comp"));

function comp($value1, $value2) {
  if (serialize($value1) == serialize($value2)) return 0;
  else return -1;
}

echo '<pre>';
print_r($intersect);
echo '</pre>';

根据您的评论,以下代码应返回

$result
中的所有元素,这些元素具有
$expected
中列出的预期结构。

// get intersecting sections
$intersect = array_uintersect_assoc($expected, $results, "isStructureTheSame");
//print intersecting set
echo "<pre>";
print_r($intersect);
echo "</pre>";
//print results that are in intersecting set (e.g. structure of $expected, value of $results
echo "<pre>";
print_r(array_uintersect_assoc($results, $intersect, "isStructureTheSame"));
echo "</pre>";

function isStructureTheSame($x, $y) {
    if (!is_array($x) && !is_array($y)) {
        return 0;
    }
    if (is_array($x) && is_array($y)) {
        if (count($x) == count($y)) {
            foreach ($x as $key => $value) {
                if(array_key_exists($key,$y)) {
                    $x = isStructureTheSame($value, $y[$key]);
                    if ($x != 0) return -1;
                } else {
                    return -1;
                }
            }
        }
    } else {
        return -1;
    }
    return 0;
}

2
投票

我知道应该有办法解决这个问题!它的 array_replace_recursive!

$expected = array_replace_recursive($result, array(
    /* expected results (no the whole array) */
));

// $expected is now exactly like $result, but $values differ.
// Now can compare them!
$this->assertEquals($expected, $result);

这就是解决方案!

© www.soinside.com 2019 - 2024. All rights reserved.