Symfony PHPUnit - внедрить зависимость
Я хочу проверить этот TokenProvider
<?php
declare(strict_types=1);
namespace App\Services\Provider;
use App\Repository\UserRepository;
use Symfony\Component\HttpKernel\Exception\NotFoundHttpException;
use Symfony\Component\Security\Core\Encoder\UserPasswordEncoderInterface;
use Lexik\Bundle\JWTAuthenticationBundle\Encoder\JWTEncoderInterface;
use Symfony\Component\Security\Core\Exception\BadCredentialsException;
/**
* Class TokenProvider
* @package App\Services\Provider
*/
class TokenProvider
{
/** @var JWTEncoderInterface */
private $JWTEncoder;
/** @var UserPasswordEncoderInterface */
private $passwordEncoder;
/** @var UserRepository */
private $userRepository;
/**
* TokenProvider constructor.
*
* @param JWTEncoderInterface $JWTEncoder
* @param UserPasswordEncoderInterface $passwordEncoder
* @param UserRepository $userRepository
*/
public function __construct(JWTEncoderInterface $JWTEncoder, UserPasswordEncoderInterface $passwordEncoder, UserRepository $userRepository)
{
$this->JWTEncoder = $JWTEncoder;
$this->passwordEncoder = $passwordEncoder;
$this->userRepository = $userRepository;
}
/**
* @param string $email
* @param string $password
*
* @return string
* @throws \Lexik\Bundle\JWTAuthenticationBundle\Exception\JWTEncodeFailureException
*/
public function getToken(string $email, string $password): string
{
$user = $this->userRepository->findOneBy([
'email' => $email,
]);
if (!$user) {
throw new NotFoundHttpException('User Not Found');
}
$isValid = $this->passwordEncoder->isPasswordValid($user, $password);
if (!$isValid) {
throw new BadCredentialsException();
}
return $this->JWTEncoder->encode([
'email' => $user->getEmail(),
'exp' => time() + 3600 // 1 hour expiration
]);
}
}
Вот мой тест. Это еще не конец.
Я хочу сделать инъекцию JWTEncoderInterface $encoder
а также UserPasswordEncoder $passwordEncoder
в моем testGetToken()
,
class TokenProviderTest extends TestCase
{
/**
* @throws \Lexik\Bundle\JWTAuthenticationBundle\Exception\JWTEncodeFailureException
*/
public function testGetToken()
{
$this->markTestSkipped();
$JWTEncoder = //TODO;
$passwordEncoder = //TODO;
$tokenProvider = new TokenProvider(
$JWTEncoder,
$passwordEncoder,
new class extends UserRepository{
public function findOneBy(array $criteria, array $orderBy = null)
{
return (new User())
->setEmail('kevin@leroi.com')
->setPassword('password')
;
}
}
);
$token = $tokenProvider->getToken('kevin@leroi.com', 'password');
$this->assertEquals(true, $token);
}
}
Каков хороший способ сделать это в TestCase?
Я не хочу издеваться над этими двумя службами, потому что я хочу проверить, действителен ли мой токен с LexikJWTAuthenticationBundle
3 ответа
Я рекомендую вам расширить KernelTestCase и в функцию setUp() и получить вашу зависимость следующим образом:
use Symfony\Bundle\FrameworkBundle\Test\KernelTestCase;
class TokenProviderTest extends KernelTestCase
{
private $jWTEncoder
protected function setUp()
{
self::bootKernel();
$this->jWTEncoder = self::$container->get('App\Services\TokenProvider');
}
public function testGetToken()
{
//Your code
}
}
Может ли это вам помочь: https://symfony.com/doc/current/testing/doctrine.html
Я наткнулся на этот ответ, когда продолжал получать следующее предупреждение об устаревании:
1x: Since symfony/twig-bundle 5.2: Accessing the "twig" service directly from the container is deprecated, use dependency injection instead.
1x in ExtensionTest::testIconsExtension from App\Tests\Templates\Icons
Я обошел это, используя:
static::bootKernel();
$container = self::$kernel->getContainer()->get('test.service_container');
$twig = $container->get('twig');
Как описано в этой документации Symfony
Я столкнулся с той же ошибкой, что и @someonewithpc, при тестировании пакета, расширяющего
Kernel
в тестах.
test.service_container
услуга была недоступна.
я должен был установить
framework.test
к
true
для
FrameworkBundle
:
/**
* This is not the full class, unrelated code have been removed for clarity
*/
class MyBundleTestKernel extends Kernel
{
public function registerBundles()
{
return [
new FrameworkBundle(),
new MyBundle(),
];
}
public function registerContainerConfiguration(LoaderInterface $loader)
{
$loader->load(function (ContainerBuilder $container) {
$container->prependExtensionConfig('framework', ['test' => true]);
});
}
}