1

断言:

$chain->expects($this->once())
   ->method('addMethodCall')
   ->with(
       'addOptionsProvider',
       array(
          $this->isInstanceOf('Symfony\Component\DependencyInjection\Reference'),
          $this->equalTo(7)
       )
   );

$chain实际上是 的模拟对象Definition,这是我要测试的代码:

$definition->addMethodCall(
    'addOptionsProvider',
    array(new Reference($id), $priority)
);

我正在开始 PHPUnit,所以我真的不知道我错过了什么。我发现断言论点真的很难理解。我已经包含了一个图像,其中包含断言和实际参数之间的视觉差异。

PHPUnit_Framework_ExpectationFailedException :方法名称的预期失败等于调用 1 次时的参数 1 调用 Symfony\Component\DependencyInjection\Definition::addMethodCall('addOptionsProvider', Array (...)) 与预期值不匹配。

在此处输入图像描述

编辑:实际上,我最终得到了这个:

$chain->expects($this->once())
    ->method('addMethodCall')
    ->with(
        $this->identicalTo('addOptionsProvider'),
        $this->logicalAnd(
            $this->isType('array'),
            $this->arrayHasKey(0),
            $this->arrayHasKey(1)
        )
    );

但是我不能“进入”数组值以进行进一步的断言!

4

1 回答 1

2

->with()具有与您期望的不同的方法签名。

->with(string|PHPUnit_Framework_Constraint, ...)

这意味着您不能只在其中传递一个数组,因为 PHPUnit 不够“聪明”,无法弄清楚您的意思。

模拟这个的最简单方法应该是:

->with(
   'addOptionsProvider',
   array(
      new Reference(1),
      7
   )
)

因为它只会比较数组。

另一种模拟这个的方法(如果你需要对对象进行方法调用等等)是使用

->with($this->callback(function($arg)  { ... } ));

并在那里做出你的断言。

对于一个复杂的例子,请参阅:用具体值模拟 atLeastOnce,其余的并不重要

于 2012-12-19T22:42:07.583 回答