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。

参考文献: