测试递归方法



我想测试一个方法

public function get($key)
{
    if (!($time = $this->driver->get($key))) {
        if ($key == self::LAST_UPDATE_KEY) {
            $time = new DateTime();
            $this->driver->set($key, $time);
        } else {
            $time = $this->get(self::LAST_UPDATE_KEY); // need test this condition
        }
    }
    return $time;
}

来自驱动程序的第一个请求数据应该返回null,而第二个含义对我来说是必要的。

我写了一个测试
public function testGetEmpty()
{
    $time = new DateTime();
    $driver_mock = $this
        ->getMockBuilder('MyDriver')
        ->getMock();
    $driver_mock
        ->expects($this->once())
        ->method('get')
        ->with('foo')
        ->will($this->returnValue(null));
    $driver_mock
        ->expects($this->once())
        ->method('get')
        ->with(Keeper::LAST_UPDATE_KEY)
        ->will($this->returnValue($time));
    $obj = new Keeper($driver_mock);
    $this->assertEquals($time, $obj->get('foo'));
}

返回错误

Expectation failed for method name is equal to <string:get> when invoked 1 time(s)
Parameter 0 for invocation MyDriver::get('foo') does not match expected value.
Failed asserting that two strings are equal.
--- Expected
+++ Actual
@@ @@
-'last-update'
+'foo'

很长一段时间我没有写单元测试,很多人都忘记了。

如果你还在寻找关于这个的指导,并且你不确定在哪里使用at(),这需要设置为expects的一部分,使用答案中的示例,它应该是这样的。

public function testGetEmpty()
{
    $time = new DateTime();
    $driver_mock = $this
        ->getMockBuilder('MyDriver')
        ->getMock();
    $driver_mock
        ->expects($this->at(0))
        ->method('get')
        ->with('foo')
        ->will($this->returnValue(null));
    $driver_mock
        ->expects($this->at(1))
        ->method('get')
        ->with(Keeper::LAST_UPDATE_KEY)
        ->will($this->returnValue($time));
    $obj = new Keeper($driver_mock);
    $this->assertEquals($time, $obj->get('foo'));
}

在此上下文中,at将定义何时应该使用每个调用。

需要使用$this->at(0)$this->at(1)

最新更新