1

使用 phpunit 进行测试时,我想断言一个函数调用:

给定一个类:

Class TimeWrapper {
  public function time() {
    return time();
  }
}

及其单元测试:

Class TimeWrapperTest extends PHPUnit_FrameworkTestCase {
  public function testTime() {
    //Pseudocode as example of a possible solution:
    $this->assertCallsFunction("time");
  }
}

我正在专门寻找一种方法来测试全局函数的调用。

FWIW:使用 rspec,我使用Message Expectations。我希望在 PHPUnit 中实现类似或完全相同的东西。

4

2 回答 2

0

如果目标是验证TimeWrapper调用内置 PHP 函数time,则需要使用runkit扩展。这将允许您将内置函数替换为您自己的版本来记录呼叫。您需要启用runkit.internal_override设置php.ini以允许您重命名内部函数。

class TimeWrapperTest extends PHPUnit_Framework_TestCase {
    static $calledTime;

    function setUp() {
        self::$calledTime = false;
    }

    function testTimeGetsCalled() {
        $fixture = new TimeWrapper;
        try {
            runkit_function_rename('time', 'old_time');
            runkit_function_rename('new_time', 'time');
            $time = $fixture->time();
            self::assertTrue('Called time()', $calledTime);
        }
        catch (Exception $e) {
            // PHP lacks finally, but must make sure to revert time() for other test
        }
        runkit_function_rename('time', 'new_time');
        runkit_function_rename('old_time', 'time');
        if ($e) throw $e;
    }
}

function new_time() {
    TimeWrapperTest::$calledTime = true;
    return old_time();
}

如果您不能使用扩展或者只是想避免这种诡计,您可以修改TimeWrapper以允许您覆盖在运行时调用的函数。

class TimeWrapper {
    private $function;

    public function __construct($function = 'time') {
        $this->function = $function;
    }

    public function time() {
        return call_user_func($this->function);
    }
}

使用上面的测试用例而不调用runkit_function_rename并传递new_timeTimeWrapper构造函数。这里的缺点是每次调用TimeWrapper::time.

于 2012-05-20T19:38:54.577 回答
0

不确定是否已经为此目的做了一些事情。

但是如果你想自己实现它,你可以看看xdebug 代码覆盖率

于 2012-05-17T12:08:43.737 回答