PHPUnit 使用闭包进行测试

2022-08-30 18:27:20

这出现了尝试为调用具有闭包的模拟方法的类的方法编写测试。您将如何验证所调用的闭包?

我知道您将能够断言该参数是 的实例。但是,您将如何检查有关关闭的任何内容?Closure

例如,您将如何验证传递的函数:

 class SUT {
     public function foo($bar) {
         $someFunction = function() { echo "I am an anonymous function"; };
         $bar->baz($someFunction);
     }
 }

 class SUTTest extends PHPUnit_Framework_TestCase {
     public function testFoo() {
         $mockBar = $this->getMockBuilder('Bar')
              ->setMethods(array('baz'))
              ->getMock();
         $mockBar->expects($this->once())
              ->method('baz')
              ->with( /** WHAT WOULD I ASSERT HERE? **/);

         $sut = new SUT();

         $sut->foo($mockBar);
     }
 }

你不能在PHP中比较两个闭包。在 PHPUnit 中,有没有办法执行传入的参数或以某种方式验证它?


答案 1

如果要模拟匿名函数(回调),可以使用方法模拟类。例如:__invoke

$shouldBeCalled = $this->getMock(\stdClass::class, ['__invoke']);
$shouldBeCalled->expects($this->once())
    ->method('__invoke');

$someServiceYouAreTesting->testedMethod($shouldBeCalled);

如果您使用的是最新的PHPUnit,则必须使用模拟构建器来执行该操作:

$shouldBeCalled = $this->getMockBuilder(\stdClass::class)
    ->setMethods(['__invoke'])
    ->getMock();

$shouldBeCalled->expects($this->once())
    ->method('__invoke');

$someServiceYouAreTesting->testedMethod($shouldBeCalled);

您还可以为方法参数设置期望值或设置返回值,就像对任何其他方法一样:

$shouldBeCalled->expects($this->once())
    ->method('__invoke')
    ->with($this->equalTo(5))
    ->willReturn(15);

答案 2

你的问题是你没有注入你的依赖关系(闭包),这总是使单元测试更加困难,并且可能使隔离变得不可能。

将闭包注入其中,而不是在里面创建它,你会发现测试要容易得多。SUT::foo()

以下是我设计方法的方式(请记住,我对您的真实代码一无所知,因此这对您来说可能实用,也可能不实用):

class SUT 
{
    public function foo($bar, $someFunction) 
    {
        $bar->baz($someFunction);
    }
}

class SUTTest extends PHPUnit_Framework_TestCase 
{
    public function testFoo() 
    {
        $someFunction = function() {};

        $mockBar = $this->getMockBuilder('Bar')
             ->setMethods(array('baz'))
             ->getMock();
        $mockBar->expects($this->once())
             ->method('baz')
             ->with($someFunction);

        $sut = new SUT();

        $sut->foo($mockBar, $someFunction);
    }
}

推荐