如果目标是验证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_time
给TimeWrapper
构造函数。这里的缺点是每次调用TimeWrapper::time
.