Symfony3 中的簡單測試
單元測試
單元測試用於確保你的程式碼沒有語法錯誤,並測試程式碼的邏輯是否符合你的預期。快速舉例:
src /的 appbundle /計算器/ BillCalculator.php
<?php
namespace AppBundle\Calculator;
use AppBundle\Calculator\TaxCalculator;
class BillCalculator
{
private $taxCalculator;
public function __construct(TaxCalculator $taxCalculator)
{
$this->taxCalculator = $taxCalculator;
}
public function calculate($products)
{
$totalPrice = 0;
foreach ($products as $product) {
$totalPrice += $product['price'];
}
$tax = $this->taxCalculator->calculate($totalPrice);
return $totalPrice + $tax;
}
}
src /的 appbundle /計算器/ TaxCalculator.php
<?php
namespace AppBundle\Calculator;
class TaxCalculator
{
public function calculate($price)
{
return $price * 0.1; // for example the tax is 10%
}
}
測試/的 appbundle /計算器/ BillCalculatorTest.php
<?php
namespace Tests\AppBundle\Calculator;
class BillCalculatorTest extends \PHPUnit_Framework_TestCase
{
public function testCalculate()
{
$products = [
[
'name' => 'A',
'price' => 100,
],
[
'name' => 'B',
'price' => 200,
],
];
$taxCalculator = $this->getMock(\AppBundle\Calculator\TaxCalculator::class);
// I expect my BillCalculator to call $taxCalculator->calculate once
// with 300 as the parameter
$taxCalculator->expects($this->once())->method('calculate')->with(300)->willReturn(30);
$billCalculator = new BillCalculator($taxCalculator);
$price = $billCalculator->calculate($products);
$this->assertEquals(330, $price);
}
}
我測試了我的 BillCalculator 類,所以我可以確保我的 BillCalculator 將返回總產品價格+ 10%的稅。在單元測試中,我們建立自己的測試用例。在這個測試中,我提供了 2 個產品(價格分別為 100 和 200),因此稅率為 10%= 30.我希望 TaxCalculator 返回 30,這樣總價格將是 300 + 30 = 330。
功能測試
功能測試用於測試輸入和輸出。使用給定的輸入,我期望一些輸出而不測試建立輸出的過程。 (這與單元測試不同,因為在單元測試中,我們測試程式碼流)。快速舉例:
namespace Tests\AppBundle;
use Symfony\Bundle\FrameworkBundle\Test\WebTestCase;
class ApplicationAvailabilityFunctionalTest extends WebTestCase
{
/**
* @dataProvider urlProvider
*/
public function testPageIsSuccessful($url)
{
$client = self::createClient();
$client->request('GET', $url);
$this->assertTrue($client->getResponse()->isSuccessful());
}
public function urlProvider()
{
return array(
array('/'),
array('/posts'),
array('/post/fixture-post-1'),
array('/blog/category/fixture-category'),
array('/archives'),
// ...
);
}
}
我測試了我的控制器,所以我可以確保我的控制器將返回 200 響應而不是 400(未找到)或 500(內部伺服器錯誤)與給定的 URL。
參考文獻: