我没有得到如何使用PHPUnit对异常进行单元测试。
请参阅我的方法,例外:
public function getPhone($html, $tag = 'OFF', $indicative, $number_lenght) {
// .. code
if ($tag <> 'OFF') {
$html = $doc[$tag]->text(); // Apanho apenas o texto dentro da TAG
if (empty($html)) {
throw new Exception("Nao foi possivel apanhar qualquer texto dentro da TAG, Metodo em causa: getPhone()");
}
}
// .. code
}
现在我的PHPUnit测试:
<?php
require_once '../Scrap.php';
class ScrapTest extends PHPUnit_Framework_TestCase
{
protected $scrap;
// Setup function to instantiate de object to $this->scrap
protected function setUp()
{
$this->scrap = new Scrap;
}
/**
* @covers Scrap::getPhone
* @expectedException Exception
*
*/
public function testGetPhone() {
// Variables1
$array_static1 = Array(0 => 218559372, 1 => 927555929, 2 => 213456789, 3 => 912345678);
$phone_list1 = '</div>A Front para<br /><br /><br /><br /><br /><br />-Apoio;<br />-Criação;<br />-Campanhas;<br />-Promoções<br /><br /><br />CONDIÇÕES:<br /><br />Local de Trabalho: Es<br />Folgas: Mistas<br /><br /><br /><br />ordem 500€<br /><br /><br /><br />Mínimos:<br /><br />- Conhecimentos;<br />- Ensino ;<br />-INGLÊS.<br /><br /><br /><br />Candidaturas: <br />email@ffff.es<br />218559372 | 927 555 929 | <br />RH<br />Rua C. Sal. 40<br />1000-000 Lisboa<br /><br /><br />+351 21 3456789 | (351) 912345678';
// Variables2
$array_static2 = Array(0 => 'NA');
$phone_list2 = "";
// .. more tests
// Test Exception, Tag not found
if (TRUE) {
// Bloco try/catch para confirmar que aqui lança excepção
try {
$this->scrap->getPhone($phone_list1, 'hr', '351', '9');
}
catch (Exception $expected) {
return;
}
$this->fail('An expected exception has not been raised.');
}
}
}
?>
如果我进行测试,我得到了“失败”:
1) ScrapTest::testGetPhone
Expected exception Exception
FAILURES!
Tests: 1, Assertions: 5, Failures: 1.
异常提升但我不想在PHPUnit中失败,如果异常提升,我想让测试正常。
你能给我一些线索吗?
最诚挚的问候,
答案 0 :(得分:30)
你在那里做得太多了。
使用:@expectedException异常
或:尝试/ catch / $ this-&gt;失败
你现在这样做的方式是“抓住那个异常,然后期望代码再抛出一个!”
在我看来,第一种方式更清晰,因为它只有1行代表5行(甚至更多行),并且不易出错。
/**
* @covers Scrap::getPhone
* @expectedException Exception
*
*/
public function testGetPhone() {
// Variables1
$array_static1 = Array(0 => 218559372, 1 => 927555929, 2 => 213456789, 3 => 912345678);
$phone_list1 = '...';
// Variables2
$array_static2 = Array(0 => 'NA');
$phone_list2 = "";
// .. more tests
// Bloco try/catch para confirmar que aqui lança excepção
$this->scrap->getPhone($phone_list1, 'hr', '351', '9');
应该这样做。
答案 1 :(得分:13)
有两种方法可以测试抛出的异常,但这取决于您的需求。如果您不关心异常的内容/属性(即代码,消息等),那么您可以这样做:
$this->setExpectedException('MyApp\Exception');
$object->someFailingCodeWithException();
否则,如果您需要使用异常属性进行断言(即代码),那么您可以执行try-catch-fail:
try {
$object->someFailingCodeWithException();
} catch (MyApp\Exception $e) {
$this->assertEquals($e->getCode(), 100);
return;
}
$this->fail();
注意return
块内的catch
语句。
只有在没有异常引发时才会/必须调用$this->fail();
语句。因此,此测试用例失败,因为它应该测试首先没有抛出的异常。