我注意到当我使用模拟对象时,PHPUnit会正确报告执行的测试次数,但会错误地报告我正在进行的断言次数。事实上,每次我嘲笑它都算作另一个断言。一个包含6个测试的测试文件,7个断言语句和每个测试模拟一次报告6个测试,13个断言。
这是除了一个测试以外的所有测试的测试文件(这里用于说明),另外我介绍了另一个不存根以追踪此问题的测试。 PHPUnit报告了2个测试,3个断言。我删除了虚拟:1测试,2个断言。
require_once '..\src\AntProxy.php';
class AntProxyTest extends PHPUnit_Framework_TestCase {
const sample_client_id = '495d179b94879240799f69e9fc868234';
const timezone = 'Australia/Sydney';
const stubbed_ant = "stubbed ant";
const date_format = "Y";
public function testBlankCategoryIfNoCacheExists() {
$cat = '';
$cache_filename = $cat.'.xml';
if (file_exists($cache_filename))
unlink($cache_filename);
$stub = $this->stub_Freshant($cat);
$expected_output = self::stubbed_ant;
$actual_output = $stub->getant();
$this->assertEquals($expected_output, $actual_output);
}
public function testDummyWithoutStubbing() {
$nostub = new AntProxy(self::sample_client_id, '', self::timezone, self::date_format);
$this->assertTrue(true);
}
private function stub_FreshAnt($cat) {
$stub = $this->getMockBuilder('AntProxy')
->setMethods(array('getFreshAnt'))
->setConstructorArgs(array(self::sample_client_id, $cat, self::timezone, self::date_format))
->getMock();
$stub->expects($this->any())
->method('getFreshAnt')
->will($this->returnValue(self::stubbed_ant));
return $stub;
}
}
这就像一个断言留在框架的一个模拟方法中。有没有办法显示每个(传递)断言?
答案 0 :(得分:9)
每个测试方法完成后,PHPUnit会在测试期间验证模拟期望设置。 PHPUnit_Framework_TestCase::verifyMockObjects()
增加每个创建的模拟对象的断言数。如果你真的想通过存储当前的断言数,调用父方法并减去差异,你可以覆盖撤消它的方法。
protected function verifyMockObjects()
{
$count = $this->getNumAssertions();
parent::verifyMockObjects();
$this->addToAssertionCount($count - $this->getNumAssertions());
}
当然,如果任何期望不满足,verifyMockObjects()
将抛出断言失败异常,因此您需要捕获异常并在重置计数后重新抛出它。我会留给你的。 :)