09/02/2019 - PHPUNIT, SYMFONY
Bu örnekte Symfony'nin özel (private) servislerini PHPUnit ile fonksiyonel olarak test edeceğiz.
namespace App\Util;
interface HttpClientInterface
{
public function isTokenValid(string $token): bool;
}
namespace App\Util;
use GuzzleHttp\Client;
use GuzzleHttp\Psr7\Response;
class HttpClient implements HttpClientInterface
{
private $client;
public function __construct(Client $client)
{
$this->client = $client;
}
public function isTokenValid(string $token): bool
{
/** @var Response $response */
$response = $this->client->request(
'GET',
'external/api/endpoint',
['headers' => ['Authorization' => $token]]
);
return 'true' === $response->getBody()->getContents();
}
}
# config/services.yaml
services:
_defaults:
autowire: true
autoconfigure: true
public: false
App\Util\HttpClient:
arguments:
- '@GuzzleHttp\Client'
Yukarıdaki class için bir fonksiyonel test kullanacak olursak, istemediğimiz testi her çalıştırdığımızda external/api/endpoint
adresi çağrılır ki, bu da istediğimiz bir şey değildir. Bu durumu önlemek için class'ın bir kopyasını ve test
ortamına özgü bir services_test.yaml
dosyası yaratacağız. Daha sonra bunları testimiz için kullanacağız.
# tests/Functional/Mock/Util/HttpClientMock.php
namespace Tests\Functional\Mock\Util;
use App\Util\HttpClientInterface;
class HttpClientMock implements HttpClientInterface
{
public function isTokenValid(string $token): bool
{
return $token === 'Bearer valid-token';
}
}
# config/packages/test/services_test.yaml
services:
_defaults:
public: true
test.App\Util\HttpClient: '@App\Util\HttpClient'
declare(strict_types=1);
namespace Tests\Functional\Controller;
use Symfony\Bundle\FrameworkBundle\Client;
use Symfony\Bundle\FrameworkBundle\Test\WebTestCase;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\Response;
use Tests\Functional\Mock\Util\HttpClientMock;
class YourControllerTest extends WebTestCase
{
/**
* @test
*/
public function return_unauthorised_response_if_the_token_is_not_valid(): void
{
$client = static::createClient();
$client->getContainer()->set('test.App\Util\HttpClient', new HttpClientMock());
$client->request(Request::METHOD_GET, '/', [], [], ['HTTPS' => true, 'HTTP_authorization' => 'Bearer invalid-user-token']);
self::assertSame(Response::HTTP_UNAUTHORIZED, $client->getResponse()->getStatusCode());
}
/**
* @test
*/
public function return_authorised_response_if_the_token_is_valid(): void
{
$client = static::createClient();
$client->getContainer()->set('test.App\Util\HttpClient', new HttpClientMock());
$client->request(Request::METHOD_GET, '/', [], [], ['HTTPS' => true, 'HTTP_authorization' => 'Bearer valid-user-token']);
self::assertSame(Response::HTTP_OK, $client->getResponse()->getStatusCode());
}
}