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



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

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

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

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

有没有一种方法可以在我期望的数组上使用array_walk_recurive,并获得结果数组的适当键?像指针或引用之类的东西

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;
}

我知道应该有一种方法来解决这个问题!它的array_replace_recurive!

$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);

这就是解决方案!

相关内容

  • 没有找到相关文章

最新更新