我需要一个 PHP 函数,它可以断言两个数组相同,同时忽略指定键集的值(只有值,键必须匹配)。
实际上,数组必须具有相同的结构,但可以忽略某些值。
例如,考虑以下两个数组:
Array
(
[0] => Array
(
[id] => 0
[title] => Book1 Title
[creationDate] => 2013-01-13 17:01:07
[pageCount] => 0
)
)
Array
(
[0] => Array
(
[id] => 1
[title] => Book1 Title
[creationDate] => 2013-01-13 17:01:07
[pageCount] => 0
)
)
如果我们忽略 key 的值,它们是相同的id
。
我还想考虑嵌套数组的可能性:
Array
(
[0] => Array
(
[id] => 0
[title] => Book1 Title
[creationDate] => 2013-01-13 17:01:07
[pageCount] => 0
)
[1] => Array
(
[id] => 0
[title] => Book2 Title
[creationDate] => 2013-01-13 18:01:07
[pageCount] => 0
)
)
Array
(
[0] => Array
(
[id] => 2
[title] => Book1 Title
[creationDate] => 2013-01-13 17:01:07
[pageCount] => 0
)
[1] => Array
(
[id] => 3
[title] => Book2 Title
[creationDate] => 2013-01-13 18:01:07
[pageCount] => 0
)
)
因为我需要它进行测试,所以我提出了以下扩展PHPUnit_Framework_TestCase并使用其断言函数的类:
class MyTestCase extends PHPUnit_Framework_TestCase
{
public static function assertArraysSame($expected, $actual, array $ignoreKeys = array())
{
self::doAssertArraysSame($expected, $actual, $ignoreKeys, 1);
}
private static function doAssertArraysSame($expected, $actual, array $ignoreKeys = array(), $depth, $maxDepth = 256)
{
self::assertNotEquals($depth, $maxDepth);
$depth++;
foreach ($expected as $key => $exp) {
// check they both have this key
self::assertArrayHasKey($key, $actual);
// check nested arrays
if (is_array($exp))
self::doAssertArraysSame($exp, $actual[$key], $ignoreKeys, $depth);
// check they have the same value unless the key is in the to-ignore list
else if (array_search($key, $ignoreKeys) === false)
self::assertSame($exp, $actual[$key]);
// remove the current elements
unset($expected[$key]);
unset($actual[$key]);
}
// check that the two arrays are both empty now, which means they had the same lenght
self::assertEmpty($expected);
self::assertEmpty($actual);
}
}
doAssertArraysSame
遍历其中一个数组并递归断言这两个数组具有相同的键。它还会检查它们是否具有相同的值,除非当前键在要忽略的键列表中。
为确保两个数组具有完全相同数量的元素,在迭代过程中删除每个元素,并且在循环结束时,该函数检查两个数组是否为空。
用法:
class MyTest extends MyTestCase
{
public function test_Books()
{
$a1 = array('id' => 1, 'title' => 'the title');
$a2 = array('id' => 2, 'title' => 'the title');
self::assertArraysSame($a1, $a2, array('id'));
}
}
我的问题是:有没有更好或更简单的方法来完成这项任务,也许使用一些已经可用的 PHP/PHPUnit 函数?
编辑:请记住,我不一定想要 PHPUnit 的解决方案,如果有一个普通的 PHP 函数可以做到这一点,我可以在我的测试中使用它。