Я начал создавать свое первое веб-приложение с помощью Symfony. В этом приложении я получил управление пользователями с аутентификацией и мультиязычностью. В базе данных пользователей tabel - это столбец lang для каждого пользователя. Я получил изменение языка по умолчанию для приложения, изменив его с помощью параметра _GET, а также путем входа в систему с использованием значения базы данных.
Теперь я хочу изменить значение в базе данных автоматически, переключая язык с помощью параметра URL _GET в EventSubscriber.
К сожалению, я не знал, как получить сущность пользователя в моей функции onKernelRequest, чтобы сохранить выбранный язык в базе данных.
Вся логика смены языка осуществляется в следующем коде:
<?php
namespace App\EventSubscriber;
use Symfony\Component\HttpFoundation\Session\SessionInterface;
use Symfony\Component\HttpKernel\Event\GetResponseEvent;
use Symfony\Component\HttpKernel\KernelEvents;
use Symfony\Component\EventDispatcher\EventSubscriberInterface;
use Symfony\Component\Security\Http\SecurityEvents;
use Symfony\Component\Security\Http\Event\InteractiveLoginEvent;
class LocaleSubscriber implements EventSubscriberInterface
{
private $defaultLocale;
private $allowedLangs;
private $session;
public function __construct(SessionInterface $session, $defaultLocale = 'de')
{
$this->defaultLocale = $defaultLocale;
$this->allowedLangs = ['de', 'en'];
$this->session = $session;
}
public function onInteractiveLogin(InteractiveLoginEvent $event)
{
$user = $event->getAuthenticationToken()->getUser();
if (null !== $user->getLocale()) {
$this->session->set('_locale', $user->getLocale());
}
}
public function onKernelRequest(GetResponseEvent $event)
{
$request = $event->getRequest();
if (!$request->hasPreviousSession()) {
return;
}
// try to see if the locale has been set as a _locale routing parameter
if ($locale = $request->attributes->get('_locale')) {
$request->getSession()->set('_locale', $locale);
} elseif(array_key_exists('_locale', $_GET) && array_search($_GET['_locale'], $this->allowedLangs) !== FALSE) {
$request->setLocale($_GET['_locale']);
$request->getSession()->set('_locale', $_GET['_locale']);
} else {
// if no explicit locale has been set on this request, use one from the session
$request->setLocale($request->getSession()->get('_locale', $this->defaultLocale));
}
}
public static function getSubscribedEvents()
{
return array(
// must be registered before (i.e. with a higher priority than) the default Locale listener
SecurityEvents::INTERACTIVE_LOGIN => array(array('onInteractiveLogin', 15)),
KernelEvents::REQUEST => array(array('onKernelRequest', 20)),
);
}
}
Спасибо заранее
Питер