diff --git a/.gitignore b/.gitignore
index 70929ed8..48695641 100644
--- a/.gitignore
+++ b/.gitignore
@@ -1,2 +1,3 @@
\vendor
-\var
\ No newline at end of file
+\var
+/var
diff --git a/migrations/Version20240720184241.php b/migrations/Version20240720184241.php
new file mode 100644
index 00000000..1ee941cc
--- /dev/null
+++ b/migrations/Version20240720184241.php
@@ -0,0 +1,31 @@
+addSql('ALTER TABLE team ADD league_id INT DEFAULT NULL, ADD team_logo VARCHAR(255) DEFAULT NULL');
+ }
+
+ public function down(Schema $schema): void
+ {
+ // this down() migration is auto-generated, please modify it to your needs
+ $this->addSql('ALTER TABLE team DROP league_id, DROP team_logo');
+ }
+}
diff --git a/src/Controller/LeagueController.php b/src/Controller/LeagueController.php
index 345e246f..7568e14f 100644
--- a/src/Controller/LeagueController.php
+++ b/src/Controller/LeagueController.php
@@ -49,6 +49,7 @@ class LeagueController extends AbstractController
{
return $handleGetLeagueById($request, $leagueId);
}
+
#[Route('/api/public/league', name: 'app_get_all_leagues', methods: ['GET'])]
public function getAllLeagues(HandleGetAllLeagues $handleGetAllLeagues): JsonResponse
{
diff --git a/src/Controller/SeasonController.php b/src/Controller/SeasonController.php
index 4c3d8fb1..ac677beb 100644
--- a/src/Controller/SeasonController.php
+++ b/src/Controller/SeasonController.php
@@ -2,11 +2,12 @@
namespace DMD\LaLigaApi\Controller;
-use DMD\LaLigaApi\Service\Season\addTeam\HandleAddTeam;
+use DMD\LaLigaApi\Service\Season\addTeam\HandleAddTeamList;
use DMD\LaLigaApi\Service\Season\createFacilities\HandleCreateFacilities;
use DMD\LaLigaApi\Service\Season\createGameCalendar\HandleCreateGameCalendarRequest;
use DMD\LaLigaApi\Service\Season\createSeason\HandleCreateSeason;
use DMD\LaLigaApi\Service\Season\getAllFacilities\HandleGetAllFacilities;
+use DMD\LaLigaApi\Service\Season\getAllTeams\HandleGetAllTeams;
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\HttpFoundation\JsonResponse;
use Symfony\Component\HttpFoundation\Request;
@@ -21,10 +22,15 @@ class SeasonController extends AbstractController
}
#[Route('/api/league/{leagueId}/season/{seasonId}/team', name: 'app_add_team', methods: ['POST'])]
- public function addTeam(Request $request, HandleAddTeam $handleAddTeam, int $leagueId, int $seasonId): JsonResponse
+ public function addTeam(Request $request, HandleAddTeamList $handleAddTeam, int $leagueId, int $seasonId): JsonResponse
{
return $handleAddTeam($request, $leagueId, $seasonId);
}
+ #[Route('/api/league/{leagueId}/season/{seasonId}/team', name: 'app_get_all_teams', methods: ['GET'])]
+ public function getAllTeam(Request $request, HandleGetAllTeams $handleGetAllTeams, int $leagueId, int $seasonId): JsonResponse
+ {
+ return $handleGetAllTeams($request, $leagueId, $seasonId);
+ }
#[Route('/api/league/{leagueId}/season/{seasonId}/facilities/create', name: 'app_create_facilities', methods: ['POST'])]
public function createFacilities(Request $request, HandleCreateFacilities $handleCreateFacilities, int $leagueId, int $seasonId): JsonResponse
{
diff --git a/src/Dto/FacilityDto.php b/src/Dto/FacilityDto.php
index 5cccff0e..dfa75c71 100644
--- a/src/Dto/FacilityDto.php
+++ b/src/Dto/FacilityDto.php
@@ -66,7 +66,7 @@ class FacilityDto
}
}
- public function fillFromObject(Facility $facilityEntity): void
+ public function fillFromEntity(Facility $facilityEntity): void
{
if ($facilityEntity->getId() !== null)
{
diff --git a/src/Dto/FileDto.php b/src/Dto/FileDto.php
index 31546f65..d557005d 100644
--- a/src/Dto/FileDto.php
+++ b/src/Dto/FileDto.php
@@ -53,7 +53,7 @@ class FileDto
if ($fileEntity->getSeason() !== null)
{
$seasonDto = new SeasonDto();
- $seasonDto->fillFromObject($fileEntity->getSeason());
+ $seasonDto->fillFromEntity($fileEntity->getSeason());
$this->seasonDto = $seasonDto;
}
if ($fileEntity->getGame() !== null)
diff --git a/src/Dto/GameDto.php b/src/Dto/GameDto.php
index 104e10b4..a25a22a4 100644
--- a/src/Dto/GameDto.php
+++ b/src/Dto/GameDto.php
@@ -93,25 +93,25 @@ class GameDto
if ($gameEntity->getSeason() !== null)
{
$seasonDto = new SeasonDto();
- $seasonDto->fillFromObject($gameEntity->getSeason());
+ $seasonDto->fillFromEntity($gameEntity->getSeason());
$this->seasonDto = $seasonDto;
}
if ($gameEntity->getFacility() !== null)
{
$facilityDto = new FacilityDto();
- $facilityDto->fillFromObject($gameEntity->getFacility());
+ $facilityDto->fillFromEntity($gameEntity->getFacility());
$this->facilityDto = $facilityDto;
}
if ($gameEntity->getHomeTeam() !== null)
{
$teamDto = new TeamDto();
- $teamDto->fillFromObject($gameEntity->getHomeTeam());
+ $teamDto->fillFromEntity($gameEntity->getHomeTeam());
$this->homeTeamDto = $teamDto;
}
if ($gameEntity->getAwayTeam() !== null)
{
$teamDto = new TeamDto();
- $teamDto->fillFromObject($gameEntity->getAwayTeam());
+ $teamDto->fillFromEntity($gameEntity->getAwayTeam());
$this->awayTeamDto = $teamDto;
}
if ($gameEntity->getFiles() !== null)
diff --git a/src/Dto/LeagueDto.php b/src/Dto/LeagueDto.php
index 8167bbfa..2e8bb3bf 100644
--- a/src/Dto/LeagueDto.php
+++ b/src/Dto/LeagueDto.php
@@ -155,7 +155,7 @@ class LeagueDto
foreach ($leagueObj->getSeasons() as $seasonObj)
{
$seasonDto = new SeasonDto();
- $seasonDto->fillFromObject($seasonObj);
+ $seasonDto->fillFromEntity($seasonObj);
$this->seasonDtoList[] = $seasonDto;
}
}
diff --git a/src/Dto/PlayerDto.php b/src/Dto/PlayerDto.php
index 47c9bc4a..85d8dbf0 100644
--- a/src/Dto/PlayerDto.php
+++ b/src/Dto/PlayerDto.php
@@ -106,7 +106,7 @@ class PlayerDto
if ($playerEntity->getTeam() !== null)
{
$teamDto = new TeamDto();
- $teamDto->fillFromObject($playerEntity->getTeam());
+ $teamDto->fillFromEntity($playerEntity->getTeam());
$this->teamDto = $teamDto;
}
if ($playerEntity->getFiles() !== null)
diff --git a/src/Dto/SeasonDto.php b/src/Dto/SeasonDto.php
index ec2bdc62..1bd3c786 100644
--- a/src/Dto/SeasonDto.php
+++ b/src/Dto/SeasonDto.php
@@ -3,12 +3,14 @@
namespace DMD\LaLigaApi\Dto;
use DMD\LaLigaApi\Entity\Season;
+use DMD\LaLigaApi\Entity\Team;
use DMD\LaLigaApi\Exception\ValidationException;
class SeasonDto
{
public int $id;
public \DateTime $dateStart;
+ public \DateTime $createdAt;
public array $teamDtoList;
public array $facilityDtoList;
public int $leagueId;
@@ -22,6 +24,7 @@ class SeasonDto
public array $seasonDataDtoList;
public bool $active;
public array $validationErrors;
+ public int $matchesBetweenTeams;
public function createSeasonArray(): array
{
@@ -102,28 +105,71 @@ class SeasonDto
}
}
- public function fillFromObject(Season $seasonObj): void
+ public function fillFromEntity(Season $seasonEntity): void
{
- if ($seasonObj->getId() !== null)
+ if ($seasonEntity->getId() !== null)
{
- $this->id = $seasonObj->getId();
+ $this->id = $seasonEntity->getId();
}
- if ($seasonObj->getDateStart() !== null)
+ if ($seasonEntity->getDateStart() !== null)
{
- $this->dateStart = new \DateTime($seasonObj->getDateStart()->format('Y-m'));
+ $this->dateStart = $seasonEntity->getDateStart();
}
- $leagueObj = $seasonObj->getLeague();
+ $leagueObj = $seasonEntity->getLeague();
if ($leagueObj !== null)
{
$this->leagueId = $leagueObj->getId();
}
- if ($leagueObj->isActive() !== null)
+ if ($seasonEntity->isActive() !== null)
{
- $this->active = $leagueObj->isActive();
+ $this->active = $seasonEntity->isActive();
}
- if ($leagueObj->getGamesPerWeek() !== null)
+ if ($seasonEntity->getTeams())
{
- $this->gamesPerWeek = $leagueObj->getGamesPerWeek();
+ foreach ($seasonEntity->getTeams() as $teamEntity)
+ {
+ $teamDto = new TeamDto();
+ $teamDto->fillFromEntity($teamEntity);
+ $this->teamDtoList[] = $teamDto;
+ }
+ }
+ if ($seasonEntity->getFacilities())
+ {
+ foreach ($seasonEntity->getFacilities() as $facilityEntity)
+ {
+ $facilityDto = new FacilityDto();
+ $facilityDto->fillFromEntity($facilityEntity);
+ $this->facilityDtoList[] = $facilityDto;
+ }
+ }
+ if ($seasonEntity->getGames())
+ {
+ foreach ($seasonEntity->getGames() as $gameEntity)
+ {
+ $gameDto = new GameDto();
+ $gameDto->fillFromObject($gameEntity);
+ $this->gameDtoList[] = $gameDto;
+ }
+ }
+ if ($seasonEntity->getCreatedAt())
+ {
+ $this->createdAt = \DateTime::createFromFormat('Y-m-d H:i:s', $seasonEntity->getCreatedAt()->format('Y-m-d H:i:s'));
+ }
+ if ($seasonEntity->getPointsPerWin())
+ {
+ $this->pointsPerWin = $seasonEntity->getPointsPerWin();
+ }
+ if ($seasonEntity->getPointsPerLoss())
+ {
+ $this->pointsPerLoss = $seasonEntity->getPointsPerLoss();
+ }
+ if ($seasonEntity->getPointsPerDraw())
+ {
+ $this->pointsPerDraw = $seasonEntity->getPointsPerDraw();
+ }
+ if ($seasonEntity->getGamesPerWeek())
+ {
+ $this->gamesPerWeek = $seasonEntity->getGamesPerWeek();
}
}
diff --git a/src/Dto/TeamDto.php b/src/Dto/TeamDto.php
index 4a03c06a..050966a4 100644
--- a/src/Dto/TeamDto.php
+++ b/src/Dto/TeamDto.php
@@ -11,38 +11,25 @@ class TeamDto
public int $id;
public string $name;
public string $dayOfWeekForHomeGame;
+ public string $logo;
public bool $active;
+ public int $leagueId;
public array $seasonDtoList;
public array $playerDtoList;
- public array $validationErrors;
- public UserDto $captainDto;
public \DateTimeImmutable $createdAt;
+ public UserDto $captainDto;
+ public array $validationErrors;
public function toArray(): array
{
- $seasonList = [];
- $playerList = [];
- if (!empty($this->seasonDtoList))
- {
- foreach ($this->seasonDtoList as $seasonDto)
- {
- $seasonList = $seasonDto->toArray();
- }
- }
- if (!empty($this->playerDtoList))
- {
- foreach ($this->playerDtoList as $playerDto)
- {
- $playerList = $playerDto->toArray();
- }
- }
return [
+ 'id' => $this->id ?? '',
'name' => $this->name ?? '',
'dayOfWeekForHomeGame' => $this->dayOfWeekForHomeGame ?? '',
- 'playerList' => $playerList,
- 'seasonList' => $seasonList,
- 'captainId' => $this->captainDto?->id,
- 'createdAt' => $this->createdAt->format('Y-m-d')
+ 'logo' => $this->logo ?? '',
+ 'captainName'=> isset($this->captainDto) ? $this->captainDto->firstName . ' ' . $this->captainDto->lastName : 'No asignado',
+ 'captainId'=> isset($this->captainDto) ? $this->captainDto->id : 'No asignado',
+
];
}
@@ -64,6 +51,14 @@ class TeamDto
{
$this->active = $dataList['active'];
}
+ if (isset($dataList['logo']))
+ {
+ $this->logo = $dataList['logo'];
+ }
+ if (isset($dataList['leagueId']))
+ {
+ $this->leagueId = (int) $dataList['leagueId'];
+ }
if (!empty($dataList['seasonList']))
{
foreach ($dataList['seasonList'] as $seasonItem)
@@ -94,7 +89,7 @@ class TeamDto
}
}
- public function fillFromObject(Team $teamEntity): void
+ public function fillFromEntity(Team $teamEntity): void
{
if ($teamEntity->getId())
{
@@ -104,9 +99,9 @@ class TeamDto
{
$this->name = $teamEntity->getName();
}
- if ($teamEntity->getDayOfWeekForHomeGame())
+ if ($teamEntity->getDayOfTheWeekForHomeGame())
{
- $this->dayOfWeekForHomeGame = $teamEntity->getDayOfWeekForHomeGame();
+ $this->dayOfWeekForHomeGame = $teamEntity->getDayOfTheWeekForHomeGame();
}
if ($teamEntity->getPlayers())
{
@@ -117,6 +112,15 @@ class TeamDto
$this->playerDtoList[] = $playerDto;
}
}
+ if ($teamEntity->getTeamLogo())
+ {
+ $this->logo = $teamEntity->getTeamLogo();
+ }
+ if ($teamEntity->getCaptain())
+ {
+ $this->captainDto = new UserDto;
+ $this->captainDto->fillFromObject($teamEntity->getCaptain());
+ }
if ($teamEntity->getCreatedAt())
{
$this->createdAt = $teamEntity->getCreatedAt();
diff --git a/src/Entity/Team.php b/src/Entity/Team.php
index 06bc830d..f07cec20 100644
--- a/src/Entity/Team.php
+++ b/src/Entity/Team.php
@@ -43,6 +43,12 @@ class Team
#[ORM\Column(length: 255, nullable: true)]
private ?string $dayOfTheWeekForHomeGame = null;
+ #[ORM\Column(nullable: true)]
+ private ?int $leagueId = null;
+
+ #[ORM\Column(length: 255, nullable: true)]
+ private ?string $teamLogo = null;
+
public function __construct()
{
$this->seasons = new ArrayCollection();
@@ -214,4 +220,28 @@ class Team
return $this;
}
+ public function getLeagueId(): ?int
+ {
+ return $this->leagueId;
+ }
+
+ public function setLeagueId(?int $leagueId): static
+ {
+ $this->leagueId = $leagueId;
+
+ return $this;
+ }
+
+ public function getTeamLogo(): ?string
+ {
+ return $this->teamLogo;
+ }
+
+ public function setTeamLogo(?string $teamLogo): static
+ {
+ $this->teamLogo = $teamLogo;
+
+ return $this;
+ }
+
}
diff --git a/src/Service/Common/TeamFactory.php b/src/Service/Common/TeamFactory.php
index 905291cc..3781b4cf 100644
--- a/src/Service/Common/TeamFactory.php
+++ b/src/Service/Common/TeamFactory.php
@@ -7,14 +7,42 @@ use DMD\LaLigaApi\Entity\Team;
class TeamFactory
{
- public static function create(TeamDto $teamDto): Team
+ public static function createEntityFromDto(TeamDto $teamDto): Team
{
$teamEntity = new Team();
if (!empty($teamDto->name))
{
$teamEntity->setName($teamDto->name);
}
- $teamEntity->setActive(true);
+ if (!empty($teamDto->dayOfWeekForHomeGame))
+ {
+ $teamEntity->setDayOfTheWeekForHomeGame($teamDto->dayOfWeekForHomeGame);
+ }
+ if (!empty($teamDto->logo))
+ {
+ $teamEntity->setTeamLogo($teamDto->logo);
+ }
+ if (!empty($teamDto->active))
+ {
+ $teamEntity->setActive($teamDto->active);
+ }
+ if (!empty($teamDto->leagueId))
+ {
+ $teamEntity->setLeagueId($teamDto->leagueId);
+ }
return $teamEntity;
}
+ public static function createDtoFromEntity(Team $teamEntity): TeamDto
+ {
+ $teamDto = new TeamDto();
+ $teamDto->fillFromEntity($teamEntity);
+ return $teamDto;
+ }
+ public static function createDtoFromArray(array $teamArray): TeamDto
+ {
+ $teamDto = new TeamDto();
+ $teamDto->fillFromArray($teamArray);
+ $teamDto->active = true;
+ return $teamDto;
+ }
}
\ No newline at end of file
diff --git a/src/Service/Season/addTeam/HandleAddTeamList.php b/src/Service/Season/addTeam/HandleAddTeamList.php
index 191d519b..f5c3da9a 100644
--- a/src/Service/Season/addTeam/HandleAddTeamList.php
+++ b/src/Service/Season/addTeam/HandleAddTeamList.php
@@ -13,7 +13,7 @@ use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\Response;
use Symfony\Component\HttpKernel\Exception\HttpException;
-class HandleAddTeam
+class HandleAddTeamList
{
public function __construct(
public AuthorizeRequest $authorizeRequest,
@@ -40,30 +40,27 @@ class HandleAddTeam
'Temporada con ID: '. $seasonId .' no ha sido encontrada.'
);
}
- if (!empty($request->toArray()))
+ if (empty($request->toArray()))
{
- $teamDtoList = [];
- foreach ($request->toArray() as $teamItem)
- {
- $teamDto = $this->teamFactory::createDtoFromArray($teamItem);
- $teamDto->validate();
- $teamEntity = $this->teamFactory::createEntityFromDto($teamDto);
- $teamEntity->addSeason($seasonEntity);
- $teamEntity->setLeagueId($leagueId);
- $this->entityManager->persist($teamEntity);
- $this->entityManager->flush();
- $teamDto->id = $teamEntity->getId();
- $teamDtoList[] = $teamDto->toArray();
- }
-
+ throw new HttpException(Response::HTTP_BAD_REQUEST, 'Empty request.');
+ }
+ $teamDtoList = [];
+ foreach ($request->toArray() as $teamItem)
+ {
+ $teamDto = $this->teamFactory::createDtoFromArray($teamItem);
+ $teamDto->validate();
+ $teamEntity = $this->teamFactory::createEntityFromDto($teamDto);
+ $teamEntity->addSeason($seasonEntity);
+ $teamEntity->setLeagueId($leagueId);
+ $this->entityManager->persist($teamEntity);
+ $this->entityManager->flush();
+ $teamDto->id = $teamEntity->getId();
+ $teamDtoList[] = $teamDto->toArray();
}
-
-
-
return new JsonResponse(
data: [
'success' => true,
- 'team' => $teamDto->toArray()
+ 'team' => $teamDtoList
],
status: Response::HTTP_OK
);
diff --git a/src/Service/Season/createFacilities/HandleCreateFacilities.php b/src/Service/Season/createFacilities/HandleCreateFacilities.php
index 6a6bbced..e116630b 100644
--- a/src/Service/Season/createFacilities/HandleCreateFacilities.php
+++ b/src/Service/Season/createFacilities/HandleCreateFacilities.php
@@ -60,7 +60,7 @@ class HandleCreateFacilities
foreach ($facilityEntityList as $facilityEntity)
{
$facilityDto = new FacilityDto();
- $facilityDto->fillFromObject($facilityEntity);
+ $facilityDto->fillFromEntity($facilityEntity);
$facilityResponseArray[] = $facilityDto->toArray();
}
return new JsonResponse(
diff --git a/src/Service/Season/createGameCalendar/HandleCreateGameCalendarRequest.php b/src/Service/Season/createGameCalendar/HandleCreateGameCalendarRequest.php
index 32534e3b..a7fcdbe6 100644
--- a/src/Service/Season/createGameCalendar/HandleCreateGameCalendarRequest.php
+++ b/src/Service/Season/createGameCalendar/HandleCreateGameCalendarRequest.php
@@ -293,10 +293,10 @@ class HandleCreateGameCalendarRequest
{
$gameDto = new GameDto();
$homeTeamDto = new TeamDto();
- $homeTeamDto->fillFromObject($homeTeamEntity);
+ $homeTeamDto->fillFromEntity($homeTeamEntity);
$gameDto->homeTeamDto = $homeTeamDto;
$awayTeamDto = new TeamDto();
- $awayTeamDto->fillFromObject($awayTeamEntity);
+ $awayTeamDto->fillFromEntity($awayTeamEntity);
$gameDto->awayTeamDto = $awayTeamDto;
return $gameDto;
}
diff --git a/src/Service/Season/getAllFacilities/HandleGetAllFacilities.php b/src/Service/Season/getAllFacilities/HandleGetAllFacilities.php
index fdc240c5..5c7007f4 100644
--- a/src/Service/Season/getAllFacilities/HandleGetAllFacilities.php
+++ b/src/Service/Season/getAllFacilities/HandleGetAllFacilities.php
@@ -40,7 +40,7 @@ class HandleGetAllFacilities
foreach ($facilityCollection as $facilityObj)
{
$facilityDto = new FacilityDto();
- $facilityDto->fillFromObject($facilityObj);
+ $facilityDto->fillFromEntity($facilityObj);
$facilityArray[] = $facilityDto->toArray();
}
}
diff --git a/src/Service/Season/getAllSeasons/HandleGetAllSeason.php b/src/Service/Season/getAllSeasons/HandleGetAllSeason.php
index 8e491b2f..5ad2d26c 100644
--- a/src/Service/Season/getAllSeasons/HandleGetAllSeason.php
+++ b/src/Service/Season/getAllSeasons/HandleGetAllSeason.php
@@ -32,7 +32,7 @@ class HandleGetAllSeason
foreach ($seasonCollection as $seasonObj)
{
$seasonDto = new SeasonDto();
- $seasonDto->fillFromObject($seasonObj);
+ $seasonDto->fillFromEntity($seasonObj);
$seasonArray[] = $seasonDto->createSeasonArray();
}
}
diff --git a/src/Service/Season/getAllTeams/HandleGetAllTeams.php b/src/Service/Season/getAllTeams/HandleGetAllTeams.php
index 95d5ab5b..6eea70a5 100644
--- a/src/Service/Season/getAllTeams/HandleGetAllTeams.php
+++ b/src/Service/Season/getAllTeams/HandleGetAllTeams.php
@@ -2,7 +2,58 @@
namespace DMD\LaLigaApi\Service\Season\getAllTeams;
+use DMD\LaLigaApi\Repository\LeagueRepository;
+use DMD\LaLigaApi\Repository\SeasonRepository;
+use DMD\LaLigaApi\Repository\TeamRepository;
+use DMD\LaLigaApi\Service\Common\TeamFactory;
+use Symfony\Component\HttpFoundation\JsonResponse;
+use Symfony\Component\HttpFoundation\Request;
+use Symfony\Component\HttpFoundation\Response;
+use Symfony\Component\HttpKernel\Exception\HttpException;
+
class HandleGetAllTeams
{
+ public function __construct(
+ public TeamRepository $teamRepository,
+ public SeasonRepository $seasonRepository,
+ public LeagueRepository $leagueRepository,
+ public TeamFactory $teamFactory,
+ )
+ {
+ }
+ public function __invoke(Request $request ,int $leagueId, int $seasonId): JsonResponse
+ {
+ $leagueEntity = $this->leagueRepository->find($leagueId);
+ $seasonEntity = $this->seasonRepository->findOneBy([
+ 'id' => $seasonId,
+ 'league' => $leagueEntity
+ ]);
+ if (is_null($seasonEntity))
+ {
+ throw new HttpException(Response::HTTP_NOT_FOUND, "Season not found");
+ }
+ $teamEntityCollection = $this->teamRepository->findBy([
+ 'leagueId' => $leagueId,
+ 'active' => true
+ ]);
+ if (empty($teamEntityCollection))
+ {
+ return new JsonResponse([
+ 'success' => true,
+ 'teams' => []
+ ], Response::HTTP_OK);
+ }
+ $teamArray = [];
+ foreach ($teamEntityCollection as $teamEntity)
+ {
+ $teamArray[] = ($this->teamFactory::createDtoFromEntity($teamEntity))->toArray();
+ }
+ return new JsonResponse(
+ [
+ 'success' => true,
+ 'teams' => $teamArray
+ ], Response::HTTP_OK
+ );
+ }
}
\ No newline at end of file
diff --git a/src/Service/Season/getSeasonById/HandleGetSeasonById.php b/src/Service/Season/getSeasonById/HandleGetSeasonById.php
index bdabf04a..1ecbb86b 100644
--- a/src/Service/Season/getSeasonById/HandleGetSeasonById.php
+++ b/src/Service/Season/getSeasonById/HandleGetSeasonById.php
@@ -32,7 +32,7 @@ class HandleGetSeasonById
);
}
$seasonDto = new SeasonDto();
- $seasonDto->fillFromObject($seasonObj);
+ $seasonDto->fillFromEntity($seasonObj);
return new JsonResponse(
data: [
'success' => true,
diff --git a/src/Service/Season/updateSeason/HandleUpdateSeason.php b/src/Service/Season/updateSeason/HandleUpdateSeason.php
index 8d1213cb..0a2563db 100644
--- a/src/Service/Season/updateSeason/HandleUpdateSeason.php
+++ b/src/Service/Season/updateSeason/HandleUpdateSeason.php
@@ -30,7 +30,7 @@ class HandleUpdateSeason
{
$seasonObj = $this->checkUserAuthorization($leagueId, $seasonId);
$seasonDto = new SeasonDto();
- $seasonDto->fillFromObject($seasonObj);
+ $seasonDto->fillFromEntity($seasonObj);
$seasonDto->fillFromArray($request->toArray());
$seasonDto->validate();
if (!empty($seasonDto->validationErrors))
diff --git a/var/cache/dev/ContainerDm8zrDD/DMD_LaLigaApi_KernelDevDebugContainer.php b/var/cache/dev/ContainerDm8zrDD/DMD_LaLigaApi_KernelDevDebugContainer.php
deleted file mode 100644
index 3ed443da..00000000
--- a/var/cache/dev/ContainerDm8zrDD/DMD_LaLigaApi_KernelDevDebugContainer.php
+++ /dev/null
@@ -1,958 +0,0 @@
-targetDir = \dirname($containerDir);
- $this->parameters = $this->getDefaultParameters();
-
- $this->services = $this->privates = [];
- $this->syntheticIds = [
- 'kernel' => true,
- ];
- $this->methodMap = [
- 'event_dispatcher' => 'getEventDispatcherService',
- 'http_kernel' => 'getHttpKernelService',
- 'request_stack' => 'getRequestStackService',
- 'router' => 'getRouterService',
- ];
- $this->fileMap = [
- 'DMD\\LaLigaApi\\Controller\\LeagueController' => 'getLeagueControllerService',
- 'DMD\\LaLigaApi\\Controller\\NotificationController' => 'getNotificationControllerService',
- 'DMD\\LaLigaApi\\Controller\\SeasonController' => 'getSeasonControllerService',
- 'DMD\\LaLigaApi\\Controller\\UserController' => 'getUserControllerService',
- 'Symfony\\Bundle\\FrameworkBundle\\Controller\\RedirectController' => 'getRedirectControllerService',
- 'Symfony\\Bundle\\FrameworkBundle\\Controller\\TemplateController' => 'getTemplateControllerService',
- 'cache.app' => 'getCache_AppService',
- 'cache.app_clearer' => 'getCache_AppClearerService',
- 'cache.global_clearer' => 'getCache_GlobalClearerService',
- 'cache.security_is_granted_attribute_expression_language' => 'getCache_SecurityIsGrantedAttributeExpressionLanguageService',
- 'cache.system' => 'getCache_SystemService',
- 'cache.system_clearer' => 'getCache_SystemClearerService',
- 'cache.validator_expression_language' => 'getCache_ValidatorExpressionLanguageService',
- 'cache_warmer' => 'getCacheWarmerService',
- 'console.command_loader' => 'getConsole_CommandLoaderService',
- 'container.env_var_processors_locator' => 'getContainer_EnvVarProcessorsLocatorService',
- 'container.get_routing_condition_service' => 'getContainer_GetRoutingConditionServiceService',
- 'debug.error_handler_configurator' => 'getDebug_ErrorHandlerConfiguratorService',
- 'doctrine' => 'getDoctrineService',
- 'doctrine.dbal.default_connection' => 'getDoctrine_Dbal_DefaultConnectionService',
- 'doctrine.orm.default_entity_manager' => 'getDoctrine_Orm_DefaultEntityManagerService',
- 'error_controller' => 'getErrorControllerService',
- 'lexik_jwt_authentication.encoder' => 'getLexikJwtAuthentication_EncoderService',
- 'lexik_jwt_authentication.generate_token_command' => 'getLexikJwtAuthentication_GenerateTokenCommandService',
- 'lexik_jwt_authentication.jwt_manager' => 'getLexikJwtAuthentication_JwtManagerService',
- 'lexik_jwt_authentication.key_loader' => 'getLexikJwtAuthentication_KeyLoaderService',
- 'nelmio_api_doc.command.dump' => 'getNelmioApiDoc_Command_DumpService',
- 'nelmio_api_doc.controller.swagger_json' => 'getNelmioApiDoc_Controller_SwaggerJsonService',
- 'nelmio_api_doc.controller.swagger_yaml' => 'getNelmioApiDoc_Controller_SwaggerYamlService',
- 'nelmio_api_doc.generator.default' => 'getNelmioApiDoc_Generator_DefaultService',
- 'nelmio_api_doc.render_docs' => 'getNelmioApiDoc_RenderDocsService',
- 'routing.loader' => 'getRouting_LoaderService',
- 'services_resetter' => 'getServicesResetterService',
- ];
- $this->aliases = [
- 'DMD\\LaLigaApi\\Kernel' => 'kernel',
- 'database_connection' => 'doctrine.dbal.default_connection',
- 'doctrine.orm.entity_manager' => 'doctrine.orm.default_entity_manager',
- 'nelmio_api_doc.controller.swagger' => 'nelmio_api_doc.controller.swagger_json',
- 'nelmio_api_doc.generator' => 'nelmio_api_doc.generator.default',
- ];
-
- $this->privates['service_container'] = static function ($container) {
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'event-dispatcher'.\DIRECTORY_SEPARATOR.'EventSubscriberInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'ResponseListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'LocaleListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'ValidateRequestListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'DisallowRobotsIndexingListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'ErrorListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'CacheAttributeListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'dependency-injection'.\DIRECTORY_SEPARATOR.'ParameterBag'.\DIRECTORY_SEPARATOR.'ParameterBagInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'dependency-injection'.\DIRECTORY_SEPARATOR.'ParameterBag'.\DIRECTORY_SEPARATOR.'ParameterBag.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'dependency-injection'.\DIRECTORY_SEPARATOR.'ParameterBag'.\DIRECTORY_SEPARATOR.'FrozenParameterBag.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'psr'.\DIRECTORY_SEPARATOR.'container'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'ContainerInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'dependency-injection'.\DIRECTORY_SEPARATOR.'ParameterBag'.\DIRECTORY_SEPARATOR.'ContainerBagInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'dependency-injection'.\DIRECTORY_SEPARATOR.'ParameterBag'.\DIRECTORY_SEPARATOR.'ContainerBag.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'runtime'.\DIRECTORY_SEPARATOR.'RunnerInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'runtime'.\DIRECTORY_SEPARATOR.'Runner'.\DIRECTORY_SEPARATOR.'Symfony'.\DIRECTORY_SEPARATOR.'HttpKernelRunner.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'runtime'.\DIRECTORY_SEPARATOR.'Runner'.\DIRECTORY_SEPARATOR.'Symfony'.\DIRECTORY_SEPARATOR.'ResponseRunner.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'runtime'.\DIRECTORY_SEPARATOR.'RuntimeInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'runtime'.\DIRECTORY_SEPARATOR.'GenericRuntime.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'runtime'.\DIRECTORY_SEPARATOR.'SymfonyRuntime.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'HttpKernelInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'TerminableInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'HttpKernel.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Controller'.\DIRECTORY_SEPARATOR.'ControllerResolverInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Controller'.\DIRECTORY_SEPARATOR.'TraceableControllerResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Controller'.\DIRECTORY_SEPARATOR.'ControllerResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Controller'.\DIRECTORY_SEPARATOR.'ContainerControllerResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'framework-bundle'.\DIRECTORY_SEPARATOR.'Controller'.\DIRECTORY_SEPARATOR.'ControllerResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Controller'.\DIRECTORY_SEPARATOR.'ArgumentResolverInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Controller'.\DIRECTORY_SEPARATOR.'TraceableArgumentResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Controller'.\DIRECTORY_SEPARATOR.'ArgumentResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'ControllerMetadata'.\DIRECTORY_SEPARATOR.'ArgumentMetadataFactoryInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'ControllerMetadata'.\DIRECTORY_SEPARATOR.'ArgumentMetadataFactory.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'service-contracts'.\DIRECTORY_SEPARATOR.'ServiceProviderInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'service-contracts'.\DIRECTORY_SEPARATOR.'ServiceLocatorTrait.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'dependency-injection'.\DIRECTORY_SEPARATOR.'ServiceLocator.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-foundation'.\DIRECTORY_SEPARATOR.'RequestStack.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'LocaleAwareListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'DebugHandlersListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'service-contracts'.\DIRECTORY_SEPARATOR.'ResetInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'stopwatch'.\DIRECTORY_SEPARATOR.'Stopwatch.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'routing'.\DIRECTORY_SEPARATOR.'RequestContext.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'RouterListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'AbstractSessionListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'SessionListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authorization'.\DIRECTORY_SEPARATOR.'AuthorizationCheckerInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authorization'.\DIRECTORY_SEPARATOR.'AuthorizationChecker.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authentication'.\DIRECTORY_SEPARATOR.'Token'.\DIRECTORY_SEPARATOR.'Storage'.\DIRECTORY_SEPARATOR.'TokenStorageInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'service-contracts'.\DIRECTORY_SEPARATOR.'ServiceSubscriberInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authentication'.\DIRECTORY_SEPARATOR.'Token'.\DIRECTORY_SEPARATOR.'Storage'.\DIRECTORY_SEPARATOR.'UsageTrackingTokenStorage.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authentication'.\DIRECTORY_SEPARATOR.'Token'.\DIRECTORY_SEPARATOR.'Storage'.\DIRECTORY_SEPARATOR.'TokenStorage.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authentication'.\DIRECTORY_SEPARATOR.'AuthenticationTrustResolverInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authentication'.\DIRECTORY_SEPARATOR.'AuthenticationTrustResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-http'.\DIRECTORY_SEPARATOR.'FirewallMapInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-bundle'.\DIRECTORY_SEPARATOR.'Security'.\DIRECTORY_SEPARATOR.'FirewallMap.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-http'.\DIRECTORY_SEPARATOR.'Logout'.\DIRECTORY_SEPARATOR.'LogoutUrlGenerator.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-http'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'IsGrantedAttributeListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authorization'.\DIRECTORY_SEPARATOR.'AccessDecisionManagerInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authorization'.\DIRECTORY_SEPARATOR.'TraceableAccessDecisionManager.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authorization'.\DIRECTORY_SEPARATOR.'AccessDecisionManager.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authorization'.\DIRECTORY_SEPARATOR.'Strategy'.\DIRECTORY_SEPARATOR.'AccessDecisionStrategyInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-core'.\DIRECTORY_SEPARATOR.'Authorization'.\DIRECTORY_SEPARATOR.'Strategy'.\DIRECTORY_SEPARATOR.'AffirmativeStrategy.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-http'.\DIRECTORY_SEPARATOR.'Firewall.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-bundle'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'FirewallListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-bundle'.\DIRECTORY_SEPARATOR.'Debug'.\DIRECTORY_SEPARATOR.'TraceableFirewallListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-http'.\DIRECTORY_SEPARATOR.'Firewall'.\DIRECTORY_SEPARATOR.'FirewallListenerInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-http'.\DIRECTORY_SEPARATOR.'Firewall'.\DIRECTORY_SEPARATOR.'AbstractListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-http'.\DIRECTORY_SEPARATOR.'Firewall'.\DIRECTORY_SEPARATOR.'ContextListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'cors-bundle'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'CorsListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'cors-bundle'.\DIRECTORY_SEPARATOR.'Options'.\DIRECTORY_SEPARATOR.'ResolverInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'cors-bundle'.\DIRECTORY_SEPARATOR.'Options'.\DIRECTORY_SEPARATOR.'Resolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'cors-bundle'.\DIRECTORY_SEPARATOR.'Options'.\DIRECTORY_SEPARATOR.'ProviderInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'cors-bundle'.\DIRECTORY_SEPARATOR.'Options'.\DIRECTORY_SEPARATOR.'ConfigProvider.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'cors-bundle'.\DIRECTORY_SEPARATOR.'EventListener'.\DIRECTORY_SEPARATOR.'CacheableResponseVaryListener.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'psr'.\DIRECTORY_SEPARATOR.'log'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'LoggerInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'psr'.\DIRECTORY_SEPARATOR.'log'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'LoggerTrait.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'psr'.\DIRECTORY_SEPARATOR.'log'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'AbstractLogger.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Log'.\DIRECTORY_SEPARATOR.'DebugLoggerInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Log'.\DIRECTORY_SEPARATOR.'Logger.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'psr'.\DIRECTORY_SEPARATOR.'event-dispatcher'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'EventDispatcherInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'event-dispatcher-contracts'.\DIRECTORY_SEPARATOR.'EventDispatcherInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'event-dispatcher'.\DIRECTORY_SEPARATOR.'EventDispatcherInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'event-dispatcher'.\DIRECTORY_SEPARATOR.'Debug'.\DIRECTORY_SEPARATOR.'TraceableEventDispatcher.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'event-dispatcher'.\DIRECTORY_SEPARATOR.'EventDispatcher.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'routing'.\DIRECTORY_SEPARATOR.'RequestContextAwareInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'routing'.\DIRECTORY_SEPARATOR.'Matcher'.\DIRECTORY_SEPARATOR.'UrlMatcherInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'routing'.\DIRECTORY_SEPARATOR.'Generator'.\DIRECTORY_SEPARATOR.'UrlGeneratorInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'routing'.\DIRECTORY_SEPARATOR.'RouterInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'routing'.\DIRECTORY_SEPARATOR.'Matcher'.\DIRECTORY_SEPARATOR.'RequestMatcherInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'routing'.\DIRECTORY_SEPARATOR.'Router.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'CacheWarmer'.\DIRECTORY_SEPARATOR.'WarmableInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'framework-bundle'.\DIRECTORY_SEPARATOR.'Routing'.\DIRECTORY_SEPARATOR.'Router.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'config'.\DIRECTORY_SEPARATOR.'ConfigCacheFactoryInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'config'.\DIRECTORY_SEPARATOR.'ResourceCheckerConfigCacheFactory.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'http-kernel'.\DIRECTORY_SEPARATOR.'Debug'.\DIRECTORY_SEPARATOR.'TraceableEventDispatcher.php';
- };
- }
-
- public function compile(): void
- {
- throw new LogicException('You cannot compile a dumped container that was already compiled.');
- }
-
- public function isCompiled(): bool
- {
- return true;
- }
-
- public function getRemovedIds(): array
- {
- return require $this->containerDir.\DIRECTORY_SEPARATOR.'removed-ids.php';
- }
-
- protected function load($file, $lazyLoad = true): mixed
- {
- if (class_exists($class = __NAMESPACE__.'\\'.$file, false)) {
- return $class::do($this, $lazyLoad);
- }
-
- if ('.' === $file[-4]) {
- $class = substr($class, 0, -4);
- } else {
- $file .= '.php';
- }
-
- $service = require $this->containerDir.\DIRECTORY_SEPARATOR.$file;
-
- return class_exists($class, false) ? $class::do($this, $lazyLoad) : $service;
- }
-
- protected function createProxy($class, \Closure $factory)
- {
- class_exists($class, false) || require __DIR__.'/'.$class.'.php';
-
- return $factory();
- }
-
- /**
- * Gets the public 'event_dispatcher' shared service.
- *
- * @return \Symfony\Component\HttpKernel\Debug\TraceableEventDispatcher
- */
- protected static function getEventDispatcherService($container)
- {
- $container->services['event_dispatcher'] = $instance = new \Symfony\Component\HttpKernel\Debug\TraceableEventDispatcher(new \Symfony\Component\EventDispatcher\EventDispatcher(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)), ($container->privates['logger'] ?? self::getLoggerService($container)), ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()));
-
- $instance->addListener('kernel.exception', [#[\Closure(name: 'DMD\\LaLigaApi\\Exception\\ExceptionListener')] fn () => ($container->privates['DMD\\LaLigaApi\\Exception\\ExceptionListener'] ?? $container->load('getExceptionListenerService')), 'onKernelException'], 0);
- $instance->addListener('lexik_jwt_authentication.on_authentication_success', [#[\Closure(name: 'DMD\\LaLigaApi\\Service\\User\\Handlers\\login\\AuthenticationSuccessListener')] fn () => ($container->privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\login\\AuthenticationSuccessListener'] ??= new \DMD\LaLigaApi\Service\User\Handlers\login\AuthenticationSuccessListener()), 'onAuthenticationSuccessResponse'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.user_provider', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserProviderListener')] fn () => ($container->privates['security.listener.user_provider'] ?? $container->load('getSecurity_Listener_UserProviderService')), 'checkPassport'], 1024);
- $instance->addListener('kernel.response', [#[\Closure(name: 'security.context_listener.0', class: 'Symfony\\Component\\Security\\Http\\Firewall\\ContextListener')] fn () => ($container->privates['security.context_listener.0'] ?? self::getSecurity_ContextListener_0Service($container)), 'onKernelResponse'], 0);
- $instance->addListener('kernel.request', [#[\Closure(name: 'nelmio_cors.cors_listener', class: 'Nelmio\\CorsBundle\\EventListener\\CorsListener')] fn () => ($container->privates['nelmio_cors.cors_listener'] ?? self::getNelmioCors_CorsListenerService($container)), 'onKernelRequest'], 250);
- $instance->addListener('kernel.response', [#[\Closure(name: 'nelmio_cors.cors_listener', class: 'Nelmio\\CorsBundle\\EventListener\\CorsListener')] fn () => ($container->privates['nelmio_cors.cors_listener'] ?? self::getNelmioCors_CorsListenerService($container)), 'onKernelResponse'], 0);
- $instance->addListener('kernel.response', [#[\Closure(name: 'nelmio_cors.cacheable_response_vary_listener', class: 'Nelmio\\CorsBundle\\EventListener\\CacheableResponseVaryListener')] fn () => ($container->privates['nelmio_cors.cacheable_response_vary_listener'] ??= new \Nelmio\CorsBundle\EventListener\CacheableResponseVaryListener()), 'onResponse'], -10);
- $instance->addListener('kernel.response', [#[\Closure(name: 'response_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\ResponseListener')] fn () => ($container->privates['response_listener'] ??= new \Symfony\Component\HttpKernel\EventListener\ResponseListener('UTF-8', false)), 'onKernelResponse'], 0);
- $instance->addListener('kernel.request', [#[\Closure(name: 'locale_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\LocaleListener')] fn () => ($container->privates['locale_listener'] ?? self::getLocaleListenerService($container)), 'setDefaultLocale'], 100);
- $instance->addListener('kernel.request', [#[\Closure(name: 'locale_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\LocaleListener')] fn () => ($container->privates['locale_listener'] ?? self::getLocaleListenerService($container)), 'onKernelRequest'], 16);
- $instance->addListener('kernel.finish_request', [#[\Closure(name: 'locale_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\LocaleListener')] fn () => ($container->privates['locale_listener'] ?? self::getLocaleListenerService($container)), 'onKernelFinishRequest'], 0);
- $instance->addListener('kernel.request', [#[\Closure(name: 'validate_request_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\ValidateRequestListener')] fn () => ($container->privates['validate_request_listener'] ??= new \Symfony\Component\HttpKernel\EventListener\ValidateRequestListener()), 'onKernelRequest'], 256);
- $instance->addListener('kernel.response', [#[\Closure(name: 'disallow_search_engine_index_response_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\DisallowRobotsIndexingListener')] fn () => ($container->privates['disallow_search_engine_index_response_listener'] ??= new \Symfony\Component\HttpKernel\EventListener\DisallowRobotsIndexingListener()), 'onResponse'], -255);
- $instance->addListener('kernel.controller_arguments', [#[\Closure(name: 'exception_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\ErrorListener')] fn () => ($container->privates['exception_listener'] ?? self::getExceptionListener2Service($container)), 'onControllerArguments'], 0);
- $instance->addListener('kernel.exception', [#[\Closure(name: 'exception_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\ErrorListener')] fn () => ($container->privates['exception_listener'] ?? self::getExceptionListener2Service($container)), 'logKernelException'], 0);
- $instance->addListener('kernel.exception', [#[\Closure(name: 'exception_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\ErrorListener')] fn () => ($container->privates['exception_listener'] ?? self::getExceptionListener2Service($container)), 'onKernelException'], -128);
- $instance->addListener('kernel.response', [#[\Closure(name: 'exception_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\ErrorListener')] fn () => ($container->privates['exception_listener'] ?? self::getExceptionListener2Service($container)), 'removeCspHeader'], -128);
- $instance->addListener('kernel.controller_arguments', [#[\Closure(name: 'controller.cache_attribute_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\CacheAttributeListener')] fn () => ($container->privates['controller.cache_attribute_listener'] ??= new \Symfony\Component\HttpKernel\EventListener\CacheAttributeListener()), 'onKernelControllerArguments'], 10);
- $instance->addListener('kernel.response', [#[\Closure(name: 'controller.cache_attribute_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\CacheAttributeListener')] fn () => ($container->privates['controller.cache_attribute_listener'] ??= new \Symfony\Component\HttpKernel\EventListener\CacheAttributeListener()), 'onKernelResponse'], -10);
- $instance->addListener('kernel.request', [#[\Closure(name: 'locale_aware_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\LocaleAwareListener')] fn () => ($container->privates['locale_aware_listener'] ?? self::getLocaleAwareListenerService($container)), 'onKernelRequest'], 15);
- $instance->addListener('kernel.finish_request', [#[\Closure(name: 'locale_aware_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\LocaleAwareListener')] fn () => ($container->privates['locale_aware_listener'] ?? self::getLocaleAwareListenerService($container)), 'onKernelFinishRequest'], -15);
- $instance->addListener('console.error', [#[\Closure(name: 'console.error_listener', class: 'Symfony\\Component\\Console\\EventListener\\ErrorListener')] fn () => ($container->privates['console.error_listener'] ?? $container->load('getConsole_ErrorListenerService')), 'onConsoleError'], -128);
- $instance->addListener('console.terminate', [#[\Closure(name: 'console.error_listener', class: 'Symfony\\Component\\Console\\EventListener\\ErrorListener')] fn () => ($container->privates['console.error_listener'] ?? $container->load('getConsole_ErrorListenerService')), 'onConsoleTerminate'], -128);
- $instance->addListener('console.error', [#[\Closure(name: 'console.suggest_missing_package_subscriber', class: 'Symfony\\Bundle\\FrameworkBundle\\EventListener\\SuggestMissingPackageSubscriber')] fn () => ($container->privates['console.suggest_missing_package_subscriber'] ??= new \Symfony\Bundle\FrameworkBundle\EventListener\SuggestMissingPackageSubscriber()), 'onConsoleError'], 0);
- $instance->addListener('Symfony\\Component\\Mailer\\Event\\MessageEvent', [#[\Closure(name: 'mailer.envelope_listener', class: 'Symfony\\Component\\Mailer\\EventListener\\EnvelopeListener')] fn () => ($container->privates['mailer.envelope_listener'] ??= new \Symfony\Component\Mailer\EventListener\EnvelopeListener(NULL, NULL)), 'onMessage'], -255);
- $instance->addListener('Symfony\\Component\\Mailer\\Event\\MessageEvent', [#[\Closure(name: 'mailer.message_logger_listener', class: 'Symfony\\Component\\Mailer\\EventListener\\MessageLoggerListener')] fn () => ($container->privates['mailer.message_logger_listener'] ??= new \Symfony\Component\Mailer\EventListener\MessageLoggerListener()), 'onMessage'], -255);
- $instance->addListener('Symfony\\Component\\Mailer\\Event\\MessageEvent', [#[\Closure(name: 'mailer.messenger_transport_listener', class: 'Symfony\\Component\\Mailer\\EventListener\\MessengerTransportListener')] fn () => ($container->privates['mailer.messenger_transport_listener'] ??= new \Symfony\Component\Mailer\EventListener\MessengerTransportListener()), 'onMessage'], 0);
- $instance->addListener('kernel.request', [#[\Closure(name: 'debug.debug_handlers_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\DebugHandlersListener')] fn () => ($container->privates['debug.debug_handlers_listener'] ??= new \Symfony\Component\HttpKernel\EventListener\DebugHandlersListener()), 'configure'], 2048);
- $instance->addListener('console.command', [#[\Closure(name: 'debug.debug_handlers_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\DebugHandlersListener')] fn () => ($container->privates['debug.debug_handlers_listener'] ??= new \Symfony\Component\HttpKernel\EventListener\DebugHandlersListener()), 'configure'], 2048);
- $instance->addListener('kernel.request', [#[\Closure(name: 'router_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\RouterListener')] fn () => ($container->privates['router_listener'] ?? self::getRouterListenerService($container)), 'onKernelRequest'], 32);
- $instance->addListener('kernel.finish_request', [#[\Closure(name: 'router_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\RouterListener')] fn () => ($container->privates['router_listener'] ?? self::getRouterListenerService($container)), 'onKernelFinishRequest'], 0);
- $instance->addListener('kernel.exception', [#[\Closure(name: 'router_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\RouterListener')] fn () => ($container->privates['router_listener'] ?? self::getRouterListenerService($container)), 'onKernelException'], -64);
- $instance->addListener('kernel.request', [#[\Closure(name: 'session_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\SessionListener')] fn () => ($container->privates['session_listener'] ?? self::getSessionListenerService($container)), 'onKernelRequest'], 128);
- $instance->addListener('kernel.response', [#[\Closure(name: 'session_listener', class: 'Symfony\\Component\\HttpKernel\\EventListener\\SessionListener')] fn () => ($container->privates['session_listener'] ?? self::getSessionListenerService($container)), 'onKernelResponse'], -1000);
- $instance->addListener('console.error', [#[\Closure(name: 'maker.console_error_listener', class: 'Symfony\\Bundle\\MakerBundle\\Event\\ConsoleErrorSubscriber')] fn () => ($container->privates['maker.console_error_listener'] ??= new \Symfony\Bundle\MakerBundle\Event\ConsoleErrorSubscriber()), 'onConsoleError'], 0);
- $instance->addListener('console.terminate', [#[\Closure(name: 'maker.console_error_listener', class: 'Symfony\\Bundle\\MakerBundle\\Event\\ConsoleErrorSubscriber')] fn () => ($container->privates['maker.console_error_listener'] ??= new \Symfony\Bundle\MakerBundle\Event\ConsoleErrorSubscriber()), 'onConsoleTerminate'], 0);
- $instance->addListener('kernel.controller_arguments', [#[\Closure(name: 'controller.is_granted_attribute_listener', class: 'Symfony\\Component\\Security\\Http\\EventListener\\IsGrantedAttributeListener')] fn () => ($container->privates['controller.is_granted_attribute_listener'] ?? self::getController_IsGrantedAttributeListenerService($container)), 'onKernelControllerArguments'], 20);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.check_authenticator_credentials', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CheckCredentialsListener')] fn () => ($container->privates['security.listener.check_authenticator_credentials'] ?? $container->load('getSecurity_Listener_CheckAuthenticatorCredentialsService')), 'checkPassport'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LoginSuccessEvent', [#[\Closure(name: 'security.listener.password_migrating', class: 'Symfony\\Component\\Security\\Http\\EventListener\\PasswordMigratingListener')] fn () => ($container->privates['security.listener.password_migrating'] ?? $container->load('getSecurity_Listener_PasswordMigratingService')), 'onLoginSuccess'], 0);
- $instance->addListener('debug.security.authorization.vote', [#[\Closure(name: 'debug.security.voter.vote_listener', class: 'Symfony\\Bundle\\SecurityBundle\\EventListener\\VoteListener')] fn () => ($container->privates['debug.security.voter.vote_listener'] ?? $container->load('getDebug_Security_Voter_VoteListenerService')), 'onVoterVote'], 0);
- $instance->addListener('kernel.request', [#[\Closure(name: 'debug.security.firewall', class: 'Symfony\\Bundle\\SecurityBundle\\Debug\\TraceableFirewallListener')] fn () => ($container->privates['debug.security.firewall'] ?? self::getDebug_Security_FirewallService($container)), 'configureLogoutUrlGenerator'], 8);
- $instance->addListener('kernel.request', [#[\Closure(name: 'debug.security.firewall', class: 'Symfony\\Bundle\\SecurityBundle\\Debug\\TraceableFirewallListener')] fn () => ($container->privates['debug.security.firewall'] ?? self::getDebug_Security_FirewallService($container)), 'onKernelRequest'], 8);
- $instance->addListener('kernel.finish_request', [#[\Closure(name: 'debug.security.firewall', class: 'Symfony\\Bundle\\SecurityBundle\\Debug\\TraceableFirewallListener')] fn () => ($container->privates['debug.security.firewall'] ?? self::getDebug_Security_FirewallService($container)), 'onKernelFinishRequest'], 0);
- $instance->addListener('kernel.view', [#[\Closure(name: 'controller.template_attribute_listener', class: 'Symfony\\Bridge\\Twig\\EventListener\\TemplateAttributeListener')] fn () => ($container->privates['controller.template_attribute_listener'] ?? $container->load('getController_TemplateAttributeListenerService')), 'onKernelView'], -128);
- $instance->addListener('Symfony\\Component\\Mailer\\Event\\MessageEvent', [#[\Closure(name: 'twig.mailer.message_listener', class: 'Symfony\\Component\\Mailer\\EventListener\\MessageListener')] fn () => ($container->privates['twig.mailer.message_listener'] ?? $container->load('getTwig_Mailer_MessageListenerService')), 'onMessage'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.csrf_protection', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CsrfProtectionListener')] fn () => ($container->privates['security.listener.csrf_protection'] ?? $container->load('getSecurity_Listener_CsrfProtectionService')), 'checkPassport'], 512);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LogoutEvent', [#[\Closure(name: 'security.logout.listener.csrf_token_clearing', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CsrfTokenClearingLogoutListener')] fn () => ($container->privates['security.logout.listener.csrf_token_clearing'] ?? $container->load('getSecurity_Logout_Listener_CsrfTokenClearingService')), 'onLogout'], 0);
-
- return $instance;
- }
-
- /**
- * Gets the public 'http_kernel' shared service.
- *
- * @return \Symfony\Component\HttpKernel\HttpKernel
- */
- protected static function getHttpKernelService($container)
- {
- $a = ($container->services['event_dispatcher'] ?? self::getEventDispatcherService($container));
-
- if (isset($container->services['http_kernel'])) {
- return $container->services['http_kernel'];
- }
- $b = ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true));
-
- return $container->services['http_kernel'] = new \Symfony\Component\HttpKernel\HttpKernel($a, new \Symfony\Component\HttpKernel\Controller\TraceableControllerResolver(new \Symfony\Bundle\FrameworkBundle\Controller\ControllerResolver($container, ($container->privates['logger'] ?? self::getLoggerService($container))), $b), ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()), new \Symfony\Component\HttpKernel\Controller\TraceableArgumentResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver(new \Symfony\Component\HttpKernel\ControllerMetadata\ArgumentMetadataFactory(), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['.debug.value_resolver.security.user_value_resolver'] ?? $container->load('get_Debug_ValueResolver_Security_UserValueResolverService'));
- yield 1 => ($container->privates['.debug.value_resolver.security.security_token_value_resolver'] ?? $container->load('get_Debug_ValueResolver_Security_SecurityTokenValueResolverService'));
- yield 2 => ($container->privates['.debug.value_resolver.doctrine.orm.entity_value_resolver'] ?? $container->load('get_Debug_ValueResolver_Doctrine_Orm_EntityValueResolverService'));
- yield 3 => ($container->privates['.debug.value_resolver.argument_resolver.backed_enum_resolver'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_BackedEnumResolverService'));
- yield 4 => ($container->privates['.debug.value_resolver.argument_resolver.datetime'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_DatetimeService'));
- yield 5 => ($container->privates['.debug.value_resolver.argument_resolver.request_attribute'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_RequestAttributeService'));
- yield 6 => ($container->privates['.debug.value_resolver.argument_resolver.request'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_RequestService'));
- yield 7 => ($container->privates['.debug.value_resolver.argument_resolver.session'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_SessionService'));
- yield 8 => ($container->privates['.debug.value_resolver.argument_resolver.service'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_ServiceService'));
- yield 9 => ($container->privates['.debug.value_resolver.argument_resolver.default'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_DefaultService'));
- yield 10 => ($container->privates['.debug.value_resolver.argument_resolver.variadic'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_VariadicService'));
- yield 11 => ($container->privates['.debug.value_resolver.argument_resolver.not_tagged_controller'] ?? $container->load('get_Debug_ValueResolver_ArgumentResolver_NotTaggedControllerService'));
- }, 12), new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'Symfony\\Bridge\\Doctrine\\ArgumentResolver\\EntityValueResolver' => ['privates', '.debug.value_resolver.doctrine.orm.entity_value_resolver', 'get_Debug_ValueResolver_Doctrine_Orm_EntityValueResolverService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\BackedEnumValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.backed_enum_resolver', 'get_Debug_ValueResolver_ArgumentResolver_BackedEnumResolverService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\DateTimeValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.datetime', 'get_Debug_ValueResolver_ArgumentResolver_DatetimeService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\DefaultValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.default', 'get_Debug_ValueResolver_ArgumentResolver_DefaultService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\QueryParameterValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.query_parameter_value_resolver', 'get_Debug_ValueResolver_ArgumentResolver_QueryParameterValueResolverService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\RequestAttributeValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.request_attribute', 'get_Debug_ValueResolver_ArgumentResolver_RequestAttributeService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\RequestPayloadValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.request_payload', 'get_Debug_ValueResolver_ArgumentResolver_RequestPayloadService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\RequestValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.request', 'get_Debug_ValueResolver_ArgumentResolver_RequestService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\ServiceValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.service', 'get_Debug_ValueResolver_ArgumentResolver_ServiceService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\SessionValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.session', 'get_Debug_ValueResolver_ArgumentResolver_SessionService', true],
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\VariadicValueResolver' => ['privates', '.debug.value_resolver.argument_resolver.variadic', 'get_Debug_ValueResolver_ArgumentResolver_VariadicService', true],
- 'Symfony\\Component\\Security\\Http\\Controller\\SecurityTokenValueResolver' => ['privates', '.debug.value_resolver.security.security_token_value_resolver', 'get_Debug_ValueResolver_Security_SecurityTokenValueResolverService', true],
- 'Symfony\\Component\\Security\\Http\\Controller\\UserValueResolver' => ['privates', '.debug.value_resolver.security.user_value_resolver', 'get_Debug_ValueResolver_Security_UserValueResolverService', true],
- 'argument_resolver.not_tagged_controller' => ['privates', '.debug.value_resolver.argument_resolver.not_tagged_controller', 'get_Debug_ValueResolver_ArgumentResolver_NotTaggedControllerService', true],
- ], [
- 'Symfony\\Bridge\\Doctrine\\ArgumentResolver\\EntityValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\BackedEnumValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\DateTimeValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\DefaultValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\QueryParameterValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\RequestAttributeValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\RequestPayloadValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\RequestValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\ServiceValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\SessionValueResolver' => '?',
- 'Symfony\\Component\\HttpKernel\\Controller\\ArgumentResolver\\VariadicValueResolver' => '?',
- 'Symfony\\Component\\Security\\Http\\Controller\\SecurityTokenValueResolver' => '?',
- 'Symfony\\Component\\Security\\Http\\Controller\\UserValueResolver' => '?',
- 'argument_resolver.not_tagged_controller' => '?',
- ])), $b), true);
- }
-
- /**
- * Gets the public 'request_stack' shared service.
- *
- * @return \Symfony\Component\HttpFoundation\RequestStack
- */
- protected static function getRequestStackService($container)
- {
- return $container->services['request_stack'] = new \Symfony\Component\HttpFoundation\RequestStack();
- }
-
- /**
- * Gets the public 'router' shared service.
- *
- * @return \Symfony\Bundle\FrameworkBundle\Routing\Router
- */
- protected static function getRouterService($container)
- {
- $container->services['router'] = $instance = new \Symfony\Bundle\FrameworkBundle\Routing\Router((new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'routing.loader' => ['services', 'routing.loader', 'getRouting_LoaderService', true],
- ], [
- 'routing.loader' => 'Symfony\\Component\\Config\\Loader\\LoaderInterface',
- ]))->withContext('router.default', $container), 'kernel::loadRoutes', ['cache_dir' => $container->targetDir.'', 'debug' => true, 'generator_class' => 'Symfony\\Component\\Routing\\Generator\\CompiledUrlGenerator', 'generator_dumper_class' => 'Symfony\\Component\\Routing\\Generator\\Dumper\\CompiledUrlGeneratorDumper', 'matcher_class' => 'Symfony\\Bundle\\FrameworkBundle\\Routing\\RedirectableCompiledUrlMatcher', 'matcher_dumper_class' => 'Symfony\\Component\\Routing\\Matcher\\Dumper\\CompiledUrlMatcherDumper', 'strict_requirements' => true, 'resource_type' => 'service'], ($container->privates['router.request_context'] ?? self::getRouter_RequestContextService($container)), ($container->privates['parameter_bag'] ??= new \Symfony\Component\DependencyInjection\ParameterBag\ContainerBag($container)), ($container->privates['logger'] ?? self::getLoggerService($container)), 'en');
-
- $instance->setConfigCacheFactory(new \Symfony\Component\Config\ResourceCheckerConfigCacheFactory(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['dependency_injection.config.container_parameters_resource_checker'] ??= new \Symfony\Component\DependencyInjection\Config\ContainerParametersResourceChecker($container));
- yield 1 => ($container->privates['config.resource.self_checking_resource_checker'] ??= new \Symfony\Component\Config\Resource\SelfCheckingResourceChecker());
- }, 2)));
-
- return $instance;
- }
-
- /**
- * Gets the private '.service_locator.dsdSIIc' shared service.
- *
- * @return \Symfony\Component\DependencyInjection\ServiceLocator
- */
- protected static function get_ServiceLocator_DsdSIIcService($container)
- {
- return $container->privates['.service_locator.dsdSIIc'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'security.firewall.map.context.api' => ['privates', 'security.firewall.map.context.api', 'getSecurity_Firewall_Map_Context_ApiService', true],
- 'security.firewall.map.context.dev' => ['privates', 'security.firewall.map.context.dev', 'getSecurity_Firewall_Map_Context_DevService', true],
- 'security.firewall.map.context.login' => ['privates', 'security.firewall.map.context.login', 'getSecurity_Firewall_Map_Context_LoginService', true],
- 'security.firewall.map.context.main' => ['privates', 'security.firewall.map.context.main', 'getSecurity_Firewall_Map_Context_MainService', true],
- ], [
- 'security.firewall.map.context.api' => '?',
- 'security.firewall.map.context.dev' => '?',
- 'security.firewall.map.context.login' => '?',
- 'security.firewall.map.context.main' => '?',
- ]);
- }
-
- /**
- * Gets the private 'controller.is_granted_attribute_listener' shared service.
- *
- * @return \Symfony\Component\Security\Http\EventListener\IsGrantedAttributeListener
- */
- protected static function getController_IsGrantedAttributeListenerService($container)
- {
- $a = ($container->privates['security.authorization_checker'] ?? self::getSecurity_AuthorizationCheckerService($container));
-
- if (isset($container->privates['controller.is_granted_attribute_listener'])) {
- return $container->privates['controller.is_granted_attribute_listener'];
- }
-
- return $container->privates['controller.is_granted_attribute_listener'] = new \Symfony\Component\Security\Http\EventListener\IsGrantedAttributeListener($a, NULL);
- }
-
- /**
- * Gets the private 'debug.security.access.decision_manager' shared service.
- *
- * @return \Symfony\Component\Security\Core\Authorization\TraceableAccessDecisionManager
- */
- protected static function getDebug_Security_Access_DecisionManagerService($container)
- {
- return $container->privates['debug.security.access.decision_manager'] = new \Symfony\Component\Security\Core\Authorization\TraceableAccessDecisionManager(new \Symfony\Component\Security\Core\Authorization\AccessDecisionManager(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['.debug.security.voter.security.access.authenticated_voter'] ?? $container->load('get_Debug_Security_Voter_Security_Access_AuthenticatedVoterService'));
- yield 1 => ($container->privates['.debug.security.voter.security.access.simple_role_voter'] ?? $container->load('get_Debug_Security_Voter_Security_Access_SimpleRoleVoterService'));
- }, 2), new \Symfony\Component\Security\Core\Authorization\Strategy\AffirmativeStrategy(false)));
- }
-
- /**
- * Gets the private 'debug.security.event_dispatcher.main' shared service.
- *
- * @return \Symfony\Component\EventDispatcher\Debug\TraceableEventDispatcher
- */
- protected static function getDebug_Security_EventDispatcher_MainService($container)
- {
- $container->privates['debug.security.event_dispatcher.main'] = $instance = new \Symfony\Component\EventDispatcher\Debug\TraceableEventDispatcher(new \Symfony\Component\EventDispatcher\EventDispatcher(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)), ($container->privates['logger'] ?? self::getLoggerService($container)), ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()));
-
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.main.user_provider', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserProviderListener')] fn () => ($container->privates['security.listener.main.user_provider'] ?? $container->load('getSecurity_Listener_Main_UserProviderService')), 'checkPassport'], 2048);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LoginSuccessEvent', [#[\Closure(name: 'security.listener.session.main', class: 'Symfony\\Component\\Security\\Http\\EventListener\\SessionStrategyListener')] fn () => ($container->privates['security.listener.session.main'] ?? $container->load('getSecurity_Listener_Session_MainService')), 'onSuccessfulLogin'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.user_checker.main', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserCheckerListener')] fn () => ($container->privates['security.listener.user_checker.main'] ?? $container->load('getSecurity_Listener_UserChecker_MainService')), 'preCheckCredentials'], 256);
- $instance->addListener('security.authentication.success', [#[\Closure(name: 'security.listener.user_checker.main', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserCheckerListener')] fn () => ($container->privates['security.listener.user_checker.main'] ?? $container->load('getSecurity_Listener_UserChecker_MainService')), 'postCheckCredentials'], 256);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.user_provider', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserProviderListener')] fn () => ($container->privates['security.listener.user_provider'] ?? $container->load('getSecurity_Listener_UserProviderService')), 'checkPassport'], 1024);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.check_authenticator_credentials', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CheckCredentialsListener')] fn () => ($container->privates['security.listener.check_authenticator_credentials'] ?? $container->load('getSecurity_Listener_CheckAuthenticatorCredentialsService')), 'checkPassport'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LoginSuccessEvent', [#[\Closure(name: 'security.listener.password_migrating', class: 'Symfony\\Component\\Security\\Http\\EventListener\\PasswordMigratingListener')] fn () => ($container->privates['security.listener.password_migrating'] ?? $container->load('getSecurity_Listener_PasswordMigratingService')), 'onLoginSuccess'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.csrf_protection', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CsrfProtectionListener')] fn () => ($container->privates['security.listener.csrf_protection'] ?? $container->load('getSecurity_Listener_CsrfProtectionService')), 'checkPassport'], 512);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LogoutEvent', [#[\Closure(name: 'security.logout.listener.csrf_token_clearing', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CsrfTokenClearingLogoutListener')] fn () => ($container->privates['security.logout.listener.csrf_token_clearing'] ?? $container->load('getSecurity_Logout_Listener_CsrfTokenClearingService')), 'onLogout'], 0);
-
- return $instance;
- }
-
- /**
- * Gets the private 'debug.security.firewall' shared service.
- *
- * @return \Symfony\Bundle\SecurityBundle\Debug\TraceableFirewallListener
- */
- protected static function getDebug_Security_FirewallService($container)
- {
- $a = ($container->privates['security.firewall.map'] ?? self::getSecurity_Firewall_MapService($container));
-
- if (isset($container->privates['debug.security.firewall'])) {
- return $container->privates['debug.security.firewall'];
- }
- $b = ($container->services['event_dispatcher'] ?? self::getEventDispatcherService($container));
-
- if (isset($container->privates['debug.security.firewall'])) {
- return $container->privates['debug.security.firewall'];
- }
-
- return $container->privates['debug.security.firewall'] = new \Symfony\Bundle\SecurityBundle\Debug\TraceableFirewallListener($a, $b, ($container->privates['security.logout_url_generator'] ?? self::getSecurity_LogoutUrlGeneratorService($container)));
- }
-
- /**
- * Gets the private 'exception_listener' shared service.
- *
- * @return \Symfony\Component\HttpKernel\EventListener\ErrorListener
- */
- protected static function getExceptionListener2Service($container)
- {
- return $container->privates['exception_listener'] = new \Symfony\Component\HttpKernel\EventListener\ErrorListener('error_controller', ($container->privates['logger'] ?? self::getLoggerService($container)), true, []);
- }
-
- /**
- * Gets the private 'locale_aware_listener' shared service.
- *
- * @return \Symfony\Component\HttpKernel\EventListener\LocaleAwareListener
- */
- protected static function getLocaleAwareListenerService($container)
- {
- return $container->privates['locale_aware_listener'] = new \Symfony\Component\HttpKernel\EventListener\LocaleAwareListener(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['slugger'] ??= new \Symfony\Component\String\Slugger\AsciiSlugger('en'));
- }, 1), ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()));
- }
-
- /**
- * Gets the private 'locale_listener' shared service.
- *
- * @return \Symfony\Component\HttpKernel\EventListener\LocaleListener
- */
- protected static function getLocaleListenerService($container)
- {
- return $container->privates['locale_listener'] = new \Symfony\Component\HttpKernel\EventListener\LocaleListener(($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()), 'en', ($container->services['router'] ?? self::getRouterService($container)), false, []);
- }
-
- /**
- * Gets the private 'logger' shared service.
- *
- * @return \Symfony\Component\HttpKernel\Log\Logger
- */
- protected static function getLoggerService($container)
- {
- return $container->privates['logger'] = new \Symfony\Component\HttpKernel\Log\Logger(NULL, NULL, NULL, ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()));
- }
-
- /**
- * Gets the private 'nelmio_cors.cors_listener' shared service.
- *
- * @return \Nelmio\CorsBundle\EventListener\CorsListener
- */
- protected static function getNelmioCors_CorsListenerService($container)
- {
- return $container->privates['nelmio_cors.cors_listener'] = new \Nelmio\CorsBundle\EventListener\CorsListener(new \Nelmio\CorsBundle\Options\Resolver([new \Nelmio\CorsBundle\Options\ConfigProvider($container->parameters['nelmio_cors.map'], $container->parameters['nelmio_cors.defaults'])]));
- }
-
- /**
- * Gets the private 'parameter_bag' shared service.
- *
- * @return \Symfony\Component\DependencyInjection\ParameterBag\ContainerBag
- */
- protected static function getParameterBagService($container)
- {
- return $container->privates['parameter_bag'] = new \Symfony\Component\DependencyInjection\ParameterBag\ContainerBag($container);
- }
-
- /**
- * Gets the private 'router.request_context' shared service.
- *
- * @return \Symfony\Component\Routing\RequestContext
- */
- protected static function getRouter_RequestContextService($container)
- {
- return $container->privates['router.request_context'] = \Symfony\Component\Routing\RequestContext::fromUri('', 'localhost', 'http', 80, 443);
- }
-
- /**
- * Gets the private 'router_listener' shared service.
- *
- * @return \Symfony\Component\HttpKernel\EventListener\RouterListener
- */
- protected static function getRouterListenerService($container)
- {
- return $container->privates['router_listener'] = new \Symfony\Component\HttpKernel\EventListener\RouterListener(($container->services['router'] ?? self::getRouterService($container)), ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()), ($container->privates['router.request_context'] ?? self::getRouter_RequestContextService($container)), ($container->privates['logger'] ?? self::getLoggerService($container)), \dirname(__DIR__, 4), true);
- }
-
- /**
- * Gets the private 'security.authorization_checker' shared service.
- *
- * @return \Symfony\Component\Security\Core\Authorization\AuthorizationChecker
- */
- protected static function getSecurity_AuthorizationCheckerService($container)
- {
- $a = ($container->privates['debug.security.access.decision_manager'] ?? self::getDebug_Security_Access_DecisionManagerService($container));
-
- if (isset($container->privates['security.authorization_checker'])) {
- return $container->privates['security.authorization_checker'];
- }
-
- return $container->privates['security.authorization_checker'] = new \Symfony\Component\Security\Core\Authorization\AuthorizationChecker(($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), $a, false, false);
- }
-
- /**
- * Gets the private 'security.context_listener.0' shared service.
- *
- * @return \Symfony\Component\Security\Http\Firewall\ContextListener
- */
- protected static function getSecurity_ContextListener_0Service($container)
- {
- return $container->privates['security.context_listener.0'] = new \Symfony\Component\Security\Http\Firewall\ContextListener(($container->privates['security.untracked_token_storage'] ??= new \Symfony\Component\Security\Core\Authentication\Token\Storage\TokenStorage()), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['security.user.provider.concrete.app_user_provider'] ?? $container->load('getSecurity_User_Provider_Concrete_AppUserProviderService'));
- }, 1), 'main', ($container->privates['logger'] ?? self::getLoggerService($container)), ($container->privates['debug.security.event_dispatcher.main'] ?? self::getDebug_Security_EventDispatcher_MainService($container)), ($container->privates['security.authentication.trust_resolver'] ??= new \Symfony\Component\Security\Core\Authentication\AuthenticationTrustResolver()), [($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), 'enableUsageTracking']);
- }
-
- /**
- * Gets the private 'security.firewall.map' shared service.
- *
- * @return \Symfony\Bundle\SecurityBundle\Security\FirewallMap
- */
- protected static function getSecurity_Firewall_MapService($container)
- {
- $a = ($container->privates['.service_locator.dsdSIIc'] ?? self::get_ServiceLocator_DsdSIIcService($container));
-
- if (isset($container->privates['security.firewall.map'])) {
- return $container->privates['security.firewall.map'];
- }
-
- return $container->privates['security.firewall.map'] = new \Symfony\Bundle\SecurityBundle\Security\FirewallMap($a, new RewindableGenerator(function () use ($container) {
- yield 'security.firewall.map.context.login' => ($container->privates['.security.request_matcher.0QxrXJt'] ?? $container->load('get_Security_RequestMatcher_0QxrXJtService'));
- yield 'security.firewall.map.context.api' => ($container->privates['.security.request_matcher.vhy2oy3'] ?? $container->load('get_Security_RequestMatcher_Vhy2oy3Service'));
- yield 'security.firewall.map.context.dev' => ($container->privates['.security.request_matcher.kLbKLHa'] ?? $container->load('get_Security_RequestMatcher_KLbKLHaService'));
- yield 'security.firewall.map.context.main' => NULL;
- }, 4));
- }
-
- /**
- * Gets the private 'security.logout_url_generator' shared service.
- *
- * @return \Symfony\Component\Security\Http\Logout\LogoutUrlGenerator
- */
- protected static function getSecurity_LogoutUrlGeneratorService($container)
- {
- return $container->privates['security.logout_url_generator'] = new \Symfony\Component\Security\Http\Logout\LogoutUrlGenerator(($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()), ($container->services['router'] ?? self::getRouterService($container)), ($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)));
- }
-
- /**
- * Gets the private 'security.token_storage' shared service.
- *
- * @return \Symfony\Component\Security\Core\Authentication\Token\Storage\UsageTrackingTokenStorage
- */
- protected static function getSecurity_TokenStorageService($container)
- {
- return $container->privates['security.token_storage'] = new \Symfony\Component\Security\Core\Authentication\Token\Storage\UsageTrackingTokenStorage(($container->privates['security.untracked_token_storage'] ??= new \Symfony\Component\Security\Core\Authentication\Token\Storage\TokenStorage()), new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'request_stack' => ['services', 'request_stack', 'getRequestStackService', false],
- ], [
- 'request_stack' => '?',
- ]));
- }
-
- /**
- * Gets the private 'session_listener' shared service.
- *
- * @return \Symfony\Component\HttpKernel\EventListener\SessionListener
- */
- protected static function getSessionListenerService($container)
- {
- return $container->privates['session_listener'] = new \Symfony\Component\HttpKernel\EventListener\SessionListener(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'logger' => ['privates', 'logger', 'getLoggerService', false],
- 'session_factory' => ['privates', 'session.factory', 'getSession_FactoryService', true],
- ], [
- 'logger' => '?',
- 'session_factory' => '?',
- ]), true, $container->parameters['session.storage.options']);
- }
-
- public function getParameter(string $name): array|bool|string|int|float|\UnitEnum|null
- {
- if (isset($this->buildParameters[$name])) {
- return $this->buildParameters[$name];
- }
-
- if (!(isset($this->parameters[$name]) || isset($this->loadedDynamicParameters[$name]) || \array_key_exists($name, $this->parameters))) {
- throw new ParameterNotFoundException($name);
- }
- if (isset($this->loadedDynamicParameters[$name])) {
- return $this->loadedDynamicParameters[$name] ? $this->dynamicParameters[$name] : $this->getDynamicParameter($name);
- }
-
- return $this->parameters[$name];
- }
-
- public function hasParameter(string $name): bool
- {
- if (isset($this->buildParameters[$name])) {
- return true;
- }
-
- return isset($this->parameters[$name]) || isset($this->loadedDynamicParameters[$name]) || \array_key_exists($name, $this->parameters);
- }
-
- public function setParameter(string $name, $value): void
- {
- throw new LogicException('Impossible to call set() on a frozen ParameterBag.');
- }
-
- public function getParameterBag(): ParameterBagInterface
- {
- if (null === $this->parameterBag) {
- $parameters = $this->parameters;
- foreach ($this->loadedDynamicParameters as $name => $loaded) {
- $parameters[$name] = $loaded ? $this->dynamicParameters[$name] : $this->getDynamicParameter($name);
- }
- foreach ($this->buildParameters as $name => $value) {
- $parameters[$name] = $value;
- }
- $this->parameterBag = new FrozenParameterBag($parameters);
- }
-
- return $this->parameterBag;
- }
-
- private $loadedDynamicParameters = [
- 'kernel.runtime_environment' => false,
- 'kernel.build_dir' => false,
- 'kernel.cache_dir' => false,
- 'kernel.secret' => false,
- 'debug.file_link_format' => false,
- 'debug.container.dump' => false,
- 'router.cache_dir' => false,
- 'validator.mapping.cache.file' => false,
- 'doctrine.orm.proxy_dir' => false,
- 'lexik_jwt_authentication.pass_phrase' => false,
- ];
- private $dynamicParameters = [];
-
- private function getDynamicParameter(string $name)
- {
- $container = $this;
- $value = match ($name) {
- 'kernel.runtime_environment' => $container->getEnv('default:kernel.environment:APP_RUNTIME_ENV'),
- 'kernel.build_dir' => $container->targetDir.'',
- 'kernel.cache_dir' => $container->targetDir.'',
- 'kernel.secret' => $container->getEnv('APP_SECRET'),
- 'debug.file_link_format' => $container->getEnv('default::SYMFONY_IDE'),
- 'debug.container.dump' => ($container->targetDir.''.'/DMD_LaLigaApi_KernelDevDebugContainer.xml'),
- 'router.cache_dir' => $container->targetDir.'',
- 'validator.mapping.cache.file' => ($container->targetDir.''.'/validation.php'),
- 'doctrine.orm.proxy_dir' => ($container->targetDir.''.'/doctrine/orm/Proxies'),
- 'lexik_jwt_authentication.pass_phrase' => $container->getEnv('JWT_PASSPHRASE'),
- default => throw new ParameterNotFoundException($name),
- };
- $this->loadedDynamicParameters[$name] = true;
-
- return $this->dynamicParameters[$name] = $value;
- }
-
- protected function getDefaultParameters(): array
- {
- return [
- 'kernel.project_dir' => \dirname(__DIR__, 4),
- 'kernel.environment' => 'dev',
- 'kernel.debug' => true,
- 'kernel.logs_dir' => (\dirname(__DIR__, 3).''.\DIRECTORY_SEPARATOR.'log'),
- 'kernel.bundles' => [
- 'FrameworkBundle' => 'Symfony\\Bundle\\FrameworkBundle\\FrameworkBundle',
- 'DoctrineBundle' => 'Doctrine\\Bundle\\DoctrineBundle\\DoctrineBundle',
- 'DoctrineMigrationsBundle' => 'Doctrine\\Bundle\\MigrationsBundle\\DoctrineMigrationsBundle',
- 'MakerBundle' => 'Symfony\\Bundle\\MakerBundle\\MakerBundle',
- 'SecurityBundle' => 'Symfony\\Bundle\\SecurityBundle\\SecurityBundle',
- 'LexikJWTAuthenticationBundle' => 'Lexik\\Bundle\\JWTAuthenticationBundle\\LexikJWTAuthenticationBundle',
- 'NelmioCorsBundle' => 'Nelmio\\CorsBundle\\NelmioCorsBundle',
- 'TwigBundle' => 'Symfony\\Bundle\\TwigBundle\\TwigBundle',
- 'NelmioApiDocBundle' => 'Nelmio\\ApiDocBundle\\NelmioApiDocBundle',
- ],
- 'kernel.bundles_metadata' => [
- 'FrameworkBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'framework-bundle'),
- 'namespace' => 'Symfony\\Bundle\\FrameworkBundle',
- ],
- 'DoctrineBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle'),
- 'namespace' => 'Doctrine\\Bundle\\DoctrineBundle',
- ],
- 'DoctrineMigrationsBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-migrations-bundle'),
- 'namespace' => 'Doctrine\\Bundle\\MigrationsBundle',
- ],
- 'MakerBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'maker-bundle'.\DIRECTORY_SEPARATOR.'src'),
- 'namespace' => 'Symfony\\Bundle\\MakerBundle',
- ],
- 'SecurityBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-bundle'),
- 'namespace' => 'Symfony\\Bundle\\SecurityBundle',
- ],
- 'LexikJWTAuthenticationBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'lexik'.\DIRECTORY_SEPARATOR.'jwt-authentication-bundle'),
- 'namespace' => 'Lexik\\Bundle\\JWTAuthenticationBundle',
- ],
- 'NelmioCorsBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'cors-bundle'),
- 'namespace' => 'Nelmio\\CorsBundle',
- ],
- 'TwigBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'twig-bundle'),
- 'namespace' => 'Symfony\\Bundle\\TwigBundle',
- ],
- 'NelmioApiDocBundle' => [
- 'path' => (\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'api-doc-bundle'),
- 'namespace' => 'Nelmio\\ApiDocBundle',
- ],
- ],
- 'kernel.charset' => 'UTF-8',
- 'kernel.container_class' => 'DMD_LaLigaApi_KernelDevDebugContainer',
- 'event_dispatcher.event_aliases' => [
- 'Symfony\\Component\\Console\\Event\\ConsoleCommandEvent' => 'console.command',
- 'Symfony\\Component\\Console\\Event\\ConsoleErrorEvent' => 'console.error',
- 'Symfony\\Component\\Console\\Event\\ConsoleSignalEvent' => 'console.signal',
- 'Symfony\\Component\\Console\\Event\\ConsoleTerminateEvent' => 'console.terminate',
- 'Symfony\\Component\\HttpKernel\\Event\\ControllerArgumentsEvent' => 'kernel.controller_arguments',
- 'Symfony\\Component\\HttpKernel\\Event\\ControllerEvent' => 'kernel.controller',
- 'Symfony\\Component\\HttpKernel\\Event\\ResponseEvent' => 'kernel.response',
- 'Symfony\\Component\\HttpKernel\\Event\\FinishRequestEvent' => 'kernel.finish_request',
- 'Symfony\\Component\\HttpKernel\\Event\\RequestEvent' => 'kernel.request',
- 'Symfony\\Component\\HttpKernel\\Event\\ViewEvent' => 'kernel.view',
- 'Symfony\\Component\\HttpKernel\\Event\\ExceptionEvent' => 'kernel.exception',
- 'Symfony\\Component\\HttpKernel\\Event\\TerminateEvent' => 'kernel.terminate',
- 'Symfony\\Component\\Security\\Core\\Event\\AuthenticationSuccessEvent' => 'security.authentication.success',
- 'Symfony\\Component\\Security\\Http\\Event\\InteractiveLoginEvent' => 'security.interactive_login',
- 'Symfony\\Component\\Security\\Http\\Event\\SwitchUserEvent' => 'security.switch_user',
- ],
- 'fragment.renderer.hinclude.global_template' => NULL,
- 'fragment.path' => '/_fragment',
- 'kernel.http_method_override' => false,
- 'kernel.trust_x_sendfile_type_header' => false,
- 'kernel.trusted_hosts' => [
-
- ],
- 'kernel.default_locale' => 'en',
- 'kernel.enabled_locales' => [
-
- ],
- 'kernel.error_controller' => 'error_controller',
- 'debug.error_handler.throw_at' => -1,
- 'router.request_context.host' => 'localhost',
- 'router.request_context.scheme' => 'http',
- 'router.request_context.base_url' => '',
- 'router.resource' => 'kernel::loadRoutes',
- 'request_listener.http_port' => 80,
- 'request_listener.https_port' => 443,
- 'session.metadata.storage_key' => '_sf2_meta',
- 'session.storage.options' => [
- 'cache_limiter' => '0',
- 'cookie_secure' => 'auto',
- 'cookie_httponly' => true,
- 'cookie_samesite' => 'lax',
- 'gc_probability' => 1,
- ],
- 'session.save_path' => NULL,
- 'session.metadata.update_threshold' => 0,
- 'validator.translation_domain' => 'validators',
- 'data_collector.templates' => [
-
- ],
- 'doctrine.dbal.configuration.class' => 'Doctrine\\DBAL\\Configuration',
- 'doctrine.data_collector.class' => 'Doctrine\\Bundle\\DoctrineBundle\\DataCollector\\DoctrineDataCollector',
- 'doctrine.dbal.connection.event_manager.class' => 'Symfony\\Bridge\\Doctrine\\ContainerAwareEventManager',
- 'doctrine.dbal.connection_factory.class' => 'Doctrine\\Bundle\\DoctrineBundle\\ConnectionFactory',
- 'doctrine.dbal.events.mysql_session_init.class' => 'Doctrine\\DBAL\\Event\\Listeners\\MysqlSessionInit',
- 'doctrine.dbal.events.oracle_session_init.class' => 'Doctrine\\DBAL\\Event\\Listeners\\OracleSessionInit',
- 'doctrine.class' => 'Doctrine\\Bundle\\DoctrineBundle\\Registry',
- 'doctrine.entity_managers' => [
- 'default' => 'doctrine.orm.default_entity_manager',
- ],
- 'doctrine.default_entity_manager' => 'default',
- 'doctrine.dbal.connection_factory.types' => [
-
- ],
- 'doctrine.connections' => [
- 'default' => 'doctrine.dbal.default_connection',
- ],
- 'doctrine.default_connection' => 'default',
- 'doctrine.orm.configuration.class' => 'Doctrine\\ORM\\Configuration',
- 'doctrine.orm.entity_manager.class' => 'Doctrine\\ORM\\EntityManager',
- 'doctrine.orm.manager_configurator.class' => 'Doctrine\\Bundle\\DoctrineBundle\\ManagerConfigurator',
- 'doctrine.orm.cache.array.class' => 'Doctrine\\Common\\Cache\\ArrayCache',
- 'doctrine.orm.cache.apc.class' => 'Doctrine\\Common\\Cache\\ApcCache',
- 'doctrine.orm.cache.memcache.class' => 'Doctrine\\Common\\Cache\\MemcacheCache',
- 'doctrine.orm.cache.memcache_host' => 'localhost',
- 'doctrine.orm.cache.memcache_port' => 11211,
- 'doctrine.orm.cache.memcache_instance.class' => 'Memcache',
- 'doctrine.orm.cache.memcached.class' => 'Doctrine\\Common\\Cache\\MemcachedCache',
- 'doctrine.orm.cache.memcached_host' => 'localhost',
- 'doctrine.orm.cache.memcached_port' => 11211,
- 'doctrine.orm.cache.memcached_instance.class' => 'Memcached',
- 'doctrine.orm.cache.redis.class' => 'Doctrine\\Common\\Cache\\RedisCache',
- 'doctrine.orm.cache.redis_host' => 'localhost',
- 'doctrine.orm.cache.redis_port' => 6379,
- 'doctrine.orm.cache.redis_instance.class' => 'Redis',
- 'doctrine.orm.cache.xcache.class' => 'Doctrine\\Common\\Cache\\XcacheCache',
- 'doctrine.orm.cache.wincache.class' => 'Doctrine\\Common\\Cache\\WinCacheCache',
- 'doctrine.orm.cache.zenddata.class' => 'Doctrine\\Common\\Cache\\ZendDataCache',
- 'doctrine.orm.metadata.driver_chain.class' => 'Doctrine\\Persistence\\Mapping\\Driver\\MappingDriverChain',
- 'doctrine.orm.metadata.annotation.class' => 'Doctrine\\ORM\\Mapping\\Driver\\AnnotationDriver',
- 'doctrine.orm.metadata.xml.class' => 'Doctrine\\ORM\\Mapping\\Driver\\SimplifiedXmlDriver',
- 'doctrine.orm.metadata.yml.class' => 'Doctrine\\ORM\\Mapping\\Driver\\SimplifiedYamlDriver',
- 'doctrine.orm.metadata.php.class' => 'Doctrine\\ORM\\Mapping\\Driver\\PHPDriver',
- 'doctrine.orm.metadata.staticphp.class' => 'Doctrine\\ORM\\Mapping\\Driver\\StaticPHPDriver',
- 'doctrine.orm.metadata.attribute.class' => 'Doctrine\\ORM\\Mapping\\Driver\\AttributeDriver',
- 'doctrine.orm.proxy_cache_warmer.class' => 'Symfony\\Bridge\\Doctrine\\CacheWarmer\\ProxyCacheWarmer',
- 'form.type_guesser.doctrine.class' => 'Symfony\\Bridge\\Doctrine\\Form\\DoctrineOrmTypeGuesser',
- 'doctrine.orm.validator.unique.class' => 'Symfony\\Bridge\\Doctrine\\Validator\\Constraints\\UniqueEntityValidator',
- 'doctrine.orm.validator_initializer.class' => 'Symfony\\Bridge\\Doctrine\\Validator\\DoctrineInitializer',
- 'doctrine.orm.security.user.provider.class' => 'Symfony\\Bridge\\Doctrine\\Security\\User\\EntityUserProvider',
- 'doctrine.orm.listeners.resolve_target_entity.class' => 'Doctrine\\ORM\\Tools\\ResolveTargetEntityListener',
- 'doctrine.orm.listeners.attach_entity_listeners.class' => 'Doctrine\\ORM\\Tools\\AttachEntityListenersListener',
- 'doctrine.orm.naming_strategy.default.class' => 'Doctrine\\ORM\\Mapping\\DefaultNamingStrategy',
- 'doctrine.orm.naming_strategy.underscore.class' => 'Doctrine\\ORM\\Mapping\\UnderscoreNamingStrategy',
- 'doctrine.orm.quote_strategy.default.class' => 'Doctrine\\ORM\\Mapping\\DefaultQuoteStrategy',
- 'doctrine.orm.quote_strategy.ansi.class' => 'Doctrine\\ORM\\Mapping\\AnsiQuoteStrategy',
- 'doctrine.orm.entity_listener_resolver.class' => 'Doctrine\\Bundle\\DoctrineBundle\\Mapping\\ContainerEntityListenerResolver',
- 'doctrine.orm.second_level_cache.default_cache_factory.class' => 'Doctrine\\ORM\\Cache\\DefaultCacheFactory',
- 'doctrine.orm.second_level_cache.default_region.class' => 'Doctrine\\ORM\\Cache\\Region\\DefaultRegion',
- 'doctrine.orm.second_level_cache.filelock_region.class' => 'Doctrine\\ORM\\Cache\\Region\\FileLockRegion',
- 'doctrine.orm.second_level_cache.logger_chain.class' => 'Doctrine\\ORM\\Cache\\Logging\\CacheLoggerChain',
- 'doctrine.orm.second_level_cache.logger_statistics.class' => 'Doctrine\\ORM\\Cache\\Logging\\StatisticsCacheLogger',
- 'doctrine.orm.second_level_cache.cache_configuration.class' => 'Doctrine\\ORM\\Cache\\CacheConfiguration',
- 'doctrine.orm.second_level_cache.regions_configuration.class' => 'Doctrine\\ORM\\Cache\\RegionsConfiguration',
- 'doctrine.orm.auto_generate_proxy_classes' => false,
- 'doctrine.orm.enable_lazy_ghost_objects' => true,
- 'doctrine.orm.proxy_namespace' => 'Proxies',
- 'doctrine.migrations.preferred_em' => NULL,
- 'doctrine.migrations.preferred_connection' => NULL,
- 'security.role_hierarchy.roles' => [
-
- ],
- 'security.access.denied_url' => NULL,
- 'security.authentication.manager.erase_credentials' => true,
- 'security.authentication.session_strategy.strategy' => 'migrate',
- 'security.authentication.hide_user_not_found' => true,
- 'security.firewalls' => [
- 0 => 'login',
- 1 => 'api',
- 2 => 'dev',
- 3 => 'main',
- ],
- 'lexik_jwt_authentication.authenticator_manager_enabled' => true,
- 'lexik_jwt_authentication.token_ttl' => 18000,
- 'lexik_jwt_authentication.clock_skew' => 0,
- 'lexik_jwt_authentication.user_identity_field' => 'username',
- 'lexik_jwt_authentication.allow_no_expiration' => false,
- 'lexik_jwt_authentication.user_id_claim' => 'username',
- 'lexik_jwt_authentication.encoder.signature_algorithm' => 'RS256',
- 'lexik_jwt_authentication.encoder.crypto_engine' => 'openssl',
- 'nelmio_cors.map' => [
- '^/' => [
- 'skip_same_as_origin' => true,
- ],
- ],
- 'nelmio_cors.defaults' => [
- 'allow_origin' => true,
- 'allow_credentials' => false,
- 'allow_headers' => [
- 0 => 'content-type',
- 1 => 'authorization',
- ],
- 'expose_headers' => [
- 0 => 'Link',
- ],
- 'allow_methods' => [
- 0 => 'GET',
- 1 => 'OPTIONS',
- 2 => 'POST',
- 3 => 'PUT',
- 4 => 'PATCH',
- 5 => 'DELETE',
- ],
- 'max_age' => 3600,
- 'hosts' => [
-
- ],
- 'origin_regex' => true,
- 'forced_allow_origin_value' => NULL,
- 'skip_same_as_origin' => true,
- ],
- 'nelmio_cors.cors_listener.class' => 'Nelmio\\CorsBundle\\EventListener\\CorsListener',
- 'nelmio_cors.options_resolver.class' => 'Nelmio\\CorsBundle\\Options\\Resolver',
- 'nelmio_cors.options_provider.config.class' => 'Nelmio\\CorsBundle\\Options\\ConfigProvider',
- 'twig.form.resources' => [
- 0 => 'form_div_layout.html.twig',
- ],
- 'twig.default_path' => (\dirname(__DIR__, 4).'/templates'),
- 'nelmio_api_doc.areas' => [
- 0 => 'default',
- ],
- 'nelmio_api_doc.use_validation_groups' => false,
- 'console.command.ids' => [
-
- ],
- ];
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/EntityManagerGhostAd02211.php b/var/cache/dev/ContainerDm8zrDD/EntityManagerGhostAd02211.php
deleted file mode 100644
index 3bfb191b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/EntityManagerGhostAd02211.php
+++ /dev/null
@@ -1,45 +0,0 @@
- [parent::class, 'cache', null],
- "\0".parent::class."\0".'closed' => [parent::class, 'closed', null],
- "\0".parent::class."\0".'config' => [parent::class, 'config', null],
- "\0".parent::class."\0".'conn' => [parent::class, 'conn', null],
- "\0".parent::class."\0".'eventManager' => [parent::class, 'eventManager', null],
- "\0".parent::class."\0".'expressionBuilder' => [parent::class, 'expressionBuilder', null],
- "\0".parent::class."\0".'filterCollection' => [parent::class, 'filterCollection', null],
- "\0".parent::class."\0".'metadataFactory' => [parent::class, 'metadataFactory', null],
- "\0".parent::class."\0".'proxyFactory' => [parent::class, 'proxyFactory', null],
- "\0".parent::class."\0".'repositoryFactory' => [parent::class, 'repositoryFactory', null],
- "\0".parent::class."\0".'unitOfWork' => [parent::class, 'unitOfWork', null],
- 'cache' => [parent::class, 'cache', null],
- 'closed' => [parent::class, 'closed', null],
- 'config' => [parent::class, 'config', null],
- 'conn' => [parent::class, 'conn', null],
- 'eventManager' => [parent::class, 'eventManager', null],
- 'expressionBuilder' => [parent::class, 'expressionBuilder', null],
- 'filterCollection' => [parent::class, 'filterCollection', null],
- 'metadataFactory' => [parent::class, 'metadataFactory', null],
- 'proxyFactory' => [parent::class, 'proxyFactory', null],
- 'repositoryFactory' => [parent::class, 'repositoryFactory', null],
- 'unitOfWork' => [parent::class, 'unitOfWork', null],
- ];
-}
-
-// Help opcache.preload discover always-needed symbols
-class_exists(\Symfony\Component\VarExporter\Internal\Hydrator::class);
-class_exists(\Symfony\Component\VarExporter\Internal\LazyObjectRegistry::class);
-class_exists(\Symfony\Component\VarExporter\Internal\LazyObjectState::class);
-
-if (!\class_exists('EntityManagerGhostAd02211', false)) {
- \class_alias(__NAMESPACE__.'\\EntityManagerGhostAd02211', 'EntityManagerGhostAd02211', false);
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/RequestPayloadValueResolverGhostE4c6c7a.php b/var/cache/dev/ContainerDm8zrDD/RequestPayloadValueResolverGhostE4c6c7a.php
deleted file mode 100644
index dab692f8..00000000
--- a/var/cache/dev/ContainerDm8zrDD/RequestPayloadValueResolverGhostE4c6c7a.php
+++ /dev/null
@@ -1,28 +0,0 @@
- [parent::class, 'serializer', parent::class],
- "\0".parent::class."\0".'translator' => [parent::class, 'translator', parent::class],
- "\0".parent::class."\0".'validator' => [parent::class, 'validator', parent::class],
- 'serializer' => [parent::class, 'serializer', parent::class],
- 'translator' => [parent::class, 'translator', parent::class],
- 'validator' => [parent::class, 'validator', parent::class],
- ];
-}
-
-// Help opcache.preload discover always-needed symbols
-class_exists(\Symfony\Component\VarExporter\Internal\Hydrator::class);
-class_exists(\Symfony\Component\VarExporter\Internal\LazyObjectRegistry::class);
-class_exists(\Symfony\Component\VarExporter\Internal\LazyObjectState::class);
-
-if (!\class_exists('RequestPayloadValueResolverGhostE4c6c7a', false)) {
- \class_alias(__NAMESPACE__.'\\RequestPayloadValueResolverGhostE4c6c7a', 'RequestPayloadValueResolverGhostE4c6c7a', false);
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getAuthorizeRequestService.php b/var/cache/dev/ContainerDm8zrDD/getAuthorizeRequestService.php
deleted file mode 100644
index 09fa04a8..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getAuthorizeRequestService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest'] = new \DMD\LaLigaApi\Service\Common\AuthorizeRequest(($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Repository\\CustomRoleRepository'] ?? $container->load('getCustomRoleRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCacheWarmerService.php b/var/cache/dev/ContainerDm8zrDD/getCacheWarmerService.php
deleted file mode 100644
index bbfe6679..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCacheWarmerService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-services['cache_warmer'] = new \Symfony\Component\HttpKernel\CacheWarmer\CacheWarmerAggregate(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['config_builder.warmer'] ?? $container->load('getConfigBuilder_WarmerService'));
- yield 1 => ($container->privates['router.cache_warmer'] ?? $container->load('getRouter_CacheWarmerService'));
- yield 2 => ($container->privates['validator.mapping.cache_warmer'] ?? $container->load('getValidator_Mapping_CacheWarmerService'));
- yield 3 => ($container->privates['doctrine.orm.proxy_cache_warmer'] ?? $container->load('getDoctrine_Orm_ProxyCacheWarmerService'));
- yield 4 => ($container->privates['twig.template_cache_warmer'] ?? $container->load('getTwig_TemplateCacheWarmerService'));
- }, 5), true, ($container->targetDir.''.'/DMD_LaLigaApi_KernelDevDebugContainerDeprecations.log'));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCache_AppClearerService.php b/var/cache/dev/ContainerDm8zrDD/getCache_AppClearerService.php
deleted file mode 100644
index 5531edb9..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCache_AppClearerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-services['cache.app_clearer'] = new \Symfony\Component\HttpKernel\CacheClearer\Psr6CacheClearer(['cache.app' => ($container->services['cache.app'] ?? $container->load('getCache_AppService'))]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCache_AppService.php b/var/cache/dev/ContainerDm8zrDD/getCache_AppService.php
deleted file mode 100644
index 659f7dc6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCache_AppService.php
+++ /dev/null
@@ -1,44 +0,0 @@
-services['cache.app'] = $instance = new \Symfony\Component\Cache\Adapter\FilesystemAdapter('NaLhWLN+Xk', 0, ($container->targetDir.''.'/pools/app'), new \Symfony\Component\Cache\Marshaller\DefaultMarshaller(NULL, true));
-
- $instance->setLogger(($container->privates['logger'] ?? self::getLoggerService($container)));
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCache_App_TaggableService.php b/var/cache/dev/ContainerDm8zrDD/getCache_App_TaggableService.php
deleted file mode 100644
index bde09c75..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCache_App_TaggableService.php
+++ /dev/null
@@ -1,36 +0,0 @@
-privates['cache.app.taggable'] = new \Symfony\Component\Cache\Adapter\TagAwareAdapter(($container->services['cache.app'] ?? $container->load('getCache_AppService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCache_GlobalClearerService.php b/var/cache/dev/ContainerDm8zrDD/getCache_GlobalClearerService.php
deleted file mode 100644
index 225da524..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCache_GlobalClearerService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-services['cache.global_clearer'] = new \Symfony\Component\HttpKernel\CacheClearer\Psr6CacheClearer(['cache.app' => ($container->services['cache.app'] ?? $container->load('getCache_AppService')), 'cache.system' => ($container->services['cache.system'] ?? $container->load('getCache_SystemService')), 'cache.validator_expression_language' => ($container->services['cache.validator_expression_language'] ?? $container->load('getCache_ValidatorExpressionLanguageService')), 'cache.doctrine.orm.default.result' => ($container->privates['cache.doctrine.orm.default.result'] ??= new \Symfony\Component\Cache\Adapter\ArrayAdapter()), 'cache.doctrine.orm.default.query' => ($container->privates['cache.doctrine.orm.default.query'] ??= new \Symfony\Component\Cache\Adapter\ArrayAdapter()), 'cache.security_is_granted_attribute_expression_language' => ($container->services['cache.security_is_granted_attribute_expression_language'] ?? $container->load('getCache_SecurityIsGrantedAttributeExpressionLanguageService'))]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCache_SecurityIsGrantedAttributeExpressionLanguageService.php b/var/cache/dev/ContainerDm8zrDD/getCache_SecurityIsGrantedAttributeExpressionLanguageService.php
deleted file mode 100644
index eba9a693..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCache_SecurityIsGrantedAttributeExpressionLanguageService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-services['cache.security_is_granted_attribute_expression_language'] = \Symfony\Component\Cache\Adapter\AbstractAdapter::createSystemCache('7-WF8WwGVY', 0, $container->getParameter('container.build_id'), ($container->targetDir.''.'/pools/system'), ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCache_SystemClearerService.php b/var/cache/dev/ContainerDm8zrDD/getCache_SystemClearerService.php
deleted file mode 100644
index cef768dc..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCache_SystemClearerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-services['cache.system_clearer'] = new \Symfony\Component\HttpKernel\CacheClearer\Psr6CacheClearer(['cache.system' => ($container->services['cache.system'] ?? $container->load('getCache_SystemService')), 'cache.validator_expression_language' => ($container->services['cache.validator_expression_language'] ?? $container->load('getCache_ValidatorExpressionLanguageService')), 'cache.security_is_granted_attribute_expression_language' => ($container->services['cache.security_is_granted_attribute_expression_language'] ?? $container->load('getCache_SecurityIsGrantedAttributeExpressionLanguageService'))]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCache_SystemService.php b/var/cache/dev/ContainerDm8zrDD/getCache_SystemService.php
deleted file mode 100644
index fe4870eb..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCache_SystemService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-services['cache.system'] = \Symfony\Component\Cache\Adapter\AbstractAdapter::createSystemCache('+4VOWgVa18', 0, $container->getParameter('container.build_id'), ($container->targetDir.''.'/pools/system'), ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCache_ValidatorExpressionLanguageService.php b/var/cache/dev/ContainerDm8zrDD/getCache_ValidatorExpressionLanguageService.php
deleted file mode 100644
index c94617b4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCache_ValidatorExpressionLanguageService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-services['cache.validator_expression_language'] = \Symfony\Component\Cache\Adapter\AbstractAdapter::createSystemCache('njivdr+jA5', 0, $container->getParameter('container.build_id'), ($container->targetDir.''.'/pools/system'), ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConfigBuilder_WarmerService.php b/var/cache/dev/ContainerDm8zrDD/getConfigBuilder_WarmerService.php
deleted file mode 100644
index 6403fb3e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConfigBuilder_WarmerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['config_builder.warmer'] = new \Symfony\Bundle\FrameworkBundle\CacheWarmer\ConfigBuilderCacheWarmer(($container->services['kernel'] ?? $container->get('kernel', 1)), ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_CommandLoaderService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_CommandLoaderService.php
deleted file mode 100644
index 785e37fc..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_CommandLoaderService.php
+++ /dev/null
@@ -1,214 +0,0 @@
-services['console.command_loader'] = new \Symfony\Component\Console\CommandLoader\ContainerCommandLoader(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'console.command.about' => ['privates', '.console.command.about.lazy', 'get_Console_Command_About_LazyService', true],
- 'console.command.assets_install' => ['privates', '.console.command.assets_install.lazy', 'get_Console_Command_AssetsInstall_LazyService', true],
- 'console.command.cache_clear' => ['privates', '.console.command.cache_clear.lazy', 'get_Console_Command_CacheClear_LazyService', true],
- 'console.command.cache_pool_clear' => ['privates', '.console.command.cache_pool_clear.lazy', 'get_Console_Command_CachePoolClear_LazyService', true],
- 'console.command.cache_pool_prune' => ['privates', '.console.command.cache_pool_prune.lazy', 'get_Console_Command_CachePoolPrune_LazyService', true],
- 'console.command.cache_pool_invalidate_tags' => ['privates', '.console.command.cache_pool_invalidate_tags.lazy', 'get_Console_Command_CachePoolInvalidateTags_LazyService', true],
- 'console.command.cache_pool_delete' => ['privates', '.console.command.cache_pool_delete.lazy', 'get_Console_Command_CachePoolDelete_LazyService', true],
- 'console.command.cache_pool_list' => ['privates', '.console.command.cache_pool_list.lazy', 'get_Console_Command_CachePoolList_LazyService', true],
- 'console.command.cache_warmup' => ['privates', '.console.command.cache_warmup.lazy', 'get_Console_Command_CacheWarmup_LazyService', true],
- 'console.command.config_debug' => ['privates', '.console.command.config_debug.lazy', 'get_Console_Command_ConfigDebug_LazyService', true],
- 'console.command.config_dump_reference' => ['privates', '.console.command.config_dump_reference.lazy', 'get_Console_Command_ConfigDumpReference_LazyService', true],
- 'console.command.container_debug' => ['privates', '.console.command.container_debug.lazy', 'get_Console_Command_ContainerDebug_LazyService', true],
- 'console.command.container_lint' => ['privates', '.console.command.container_lint.lazy', 'get_Console_Command_ContainerLint_LazyService', true],
- 'console.command.debug_autowiring' => ['privates', '.console.command.debug_autowiring.lazy', 'get_Console_Command_DebugAutowiring_LazyService', true],
- 'console.command.dotenv_debug' => ['privates', '.console.command.dotenv_debug.lazy', 'get_Console_Command_DotenvDebug_LazyService', true],
- 'console.command.event_dispatcher_debug' => ['privates', '.console.command.event_dispatcher_debug.lazy', 'get_Console_Command_EventDispatcherDebug_LazyService', true],
- 'console.command.router_debug' => ['privates', '.console.command.router_debug.lazy', 'get_Console_Command_RouterDebug_LazyService', true],
- 'console.command.router_match' => ['privates', '.console.command.router_match.lazy', 'get_Console_Command_RouterMatch_LazyService', true],
- 'console.command.validator_debug' => ['privates', '.console.command.validator_debug.lazy', 'get_Console_Command_ValidatorDebug_LazyService', true],
- 'console.command.yaml_lint' => ['privates', '.console.command.yaml_lint.lazy', 'get_Console_Command_YamlLint_LazyService', true],
- 'console.command.secrets_set' => ['privates', '.console.command.secrets_set.lazy', 'get_Console_Command_SecretsSet_LazyService', true],
- 'console.command.secrets_remove' => ['privates', '.console.command.secrets_remove.lazy', 'get_Console_Command_SecretsRemove_LazyService', true],
- 'console.command.secrets_generate_key' => ['privates', '.console.command.secrets_generate_key.lazy', 'get_Console_Command_SecretsGenerateKey_LazyService', true],
- 'console.command.secrets_list' => ['privates', '.console.command.secrets_list.lazy', 'get_Console_Command_SecretsList_LazyService', true],
- 'console.command.secrets_decrypt_to_local' => ['privates', '.console.command.secrets_decrypt_to_local.lazy', 'get_Console_Command_SecretsDecryptToLocal_LazyService', true],
- 'console.command.secrets_encrypt_from_local' => ['privates', '.console.command.secrets_encrypt_from_local.lazy', 'get_Console_Command_SecretsEncryptFromLocal_LazyService', true],
- 'console.command.mailer_test' => ['privates', '.console.command.mailer_test.lazy', 'get_Console_Command_MailerTest_LazyService', true],
- 'doctrine.database_create_command' => ['privates', 'doctrine.database_create_command', 'getDoctrine_DatabaseCreateCommandService', true],
- 'doctrine.database_drop_command' => ['privates', 'doctrine.database_drop_command', 'getDoctrine_DatabaseDropCommandService', true],
- 'doctrine.query_sql_command' => ['privates', 'doctrine.query_sql_command', 'getDoctrine_QuerySqlCommandService', true],
- 'Doctrine\\DBAL\\Tools\\Console\\Command\\RunSqlCommand' => ['privates', 'Doctrine\\DBAL\\Tools\\Console\\Command\\RunSqlCommand', 'getRunSqlCommandService', true],
- 'doctrine.cache_clear_metadata_command' => ['privates', 'doctrine.cache_clear_metadata_command', 'getDoctrine_CacheClearMetadataCommandService', true],
- 'doctrine.cache_clear_query_cache_command' => ['privates', 'doctrine.cache_clear_query_cache_command', 'getDoctrine_CacheClearQueryCacheCommandService', true],
- 'doctrine.cache_clear_result_command' => ['privates', 'doctrine.cache_clear_result_command', 'getDoctrine_CacheClearResultCommandService', true],
- 'doctrine.cache_collection_region_command' => ['privates', 'doctrine.cache_collection_region_command', 'getDoctrine_CacheCollectionRegionCommandService', true],
- 'doctrine.mapping_convert_command' => ['privates', 'doctrine.mapping_convert_command', 'getDoctrine_MappingConvertCommandService', true],
- 'doctrine.schema_create_command' => ['privates', 'doctrine.schema_create_command', 'getDoctrine_SchemaCreateCommandService', true],
- 'doctrine.schema_drop_command' => ['privates', 'doctrine.schema_drop_command', 'getDoctrine_SchemaDropCommandService', true],
- 'doctrine.ensure_production_settings_command' => ['privates', 'doctrine.ensure_production_settings_command', 'getDoctrine_EnsureProductionSettingsCommandService', true],
- 'doctrine.clear_entity_region_command' => ['privates', 'doctrine.clear_entity_region_command', 'getDoctrine_ClearEntityRegionCommandService', true],
- 'doctrine.mapping_info_command' => ['privates', 'doctrine.mapping_info_command', 'getDoctrine_MappingInfoCommandService', true],
- 'doctrine.clear_query_region_command' => ['privates', 'doctrine.clear_query_region_command', 'getDoctrine_ClearQueryRegionCommandService', true],
- 'doctrine.query_dql_command' => ['privates', 'doctrine.query_dql_command', 'getDoctrine_QueryDqlCommandService', true],
- 'doctrine.schema_update_command' => ['privates', 'doctrine.schema_update_command', 'getDoctrine_SchemaUpdateCommandService', true],
- 'doctrine.schema_validate_command' => ['privates', 'doctrine.schema_validate_command', 'getDoctrine_SchemaValidateCommandService', true],
- 'doctrine.mapping_import_command' => ['privates', 'doctrine.mapping_import_command', 'getDoctrine_MappingImportCommandService', true],
- 'doctrine_migrations.diff_command' => ['privates', '.doctrine_migrations.diff_command.lazy', 'get_DoctrineMigrations_DiffCommand_LazyService', true],
- 'doctrine_migrations.sync_metadata_command' => ['privates', '.doctrine_migrations.sync_metadata_command.lazy', 'get_DoctrineMigrations_SyncMetadataCommand_LazyService', true],
- 'doctrine_migrations.versions_command' => ['privates', '.doctrine_migrations.versions_command.lazy', 'get_DoctrineMigrations_VersionsCommand_LazyService', true],
- 'doctrine_migrations.current_command' => ['privates', '.doctrine_migrations.current_command.lazy', 'get_DoctrineMigrations_CurrentCommand_LazyService', true],
- 'doctrine_migrations.dump_schema_command' => ['privates', '.doctrine_migrations.dump_schema_command.lazy', 'get_DoctrineMigrations_DumpSchemaCommand_LazyService', true],
- 'doctrine_migrations.execute_command' => ['privates', '.doctrine_migrations.execute_command.lazy', 'get_DoctrineMigrations_ExecuteCommand_LazyService', true],
- 'doctrine_migrations.generate_command' => ['privates', '.doctrine_migrations.generate_command.lazy', 'get_DoctrineMigrations_GenerateCommand_LazyService', true],
- 'doctrine_migrations.latest_command' => ['privates', '.doctrine_migrations.latest_command.lazy', 'get_DoctrineMigrations_LatestCommand_LazyService', true],
- 'doctrine_migrations.migrate_command' => ['privates', '.doctrine_migrations.migrate_command.lazy', 'get_DoctrineMigrations_MigrateCommand_LazyService', true],
- 'doctrine_migrations.rollup_command' => ['privates', '.doctrine_migrations.rollup_command.lazy', 'get_DoctrineMigrations_RollupCommand_LazyService', true],
- 'doctrine_migrations.status_command' => ['privates', '.doctrine_migrations.status_command.lazy', 'get_DoctrineMigrations_StatusCommand_LazyService', true],
- 'doctrine_migrations.up_to_date_command' => ['privates', '.doctrine_migrations.up_to_date_command.lazy', 'get_DoctrineMigrations_UpToDateCommand_LazyService', true],
- 'doctrine_migrations.version_command' => ['privates', '.doctrine_migrations.version_command.lazy', 'get_DoctrineMigrations_VersionCommand_LazyService', true],
- 'security.command.debug_firewall' => ['privates', '.security.command.debug_firewall.lazy', 'get_Security_Command_DebugFirewall_LazyService', true],
- 'security.command.user_password_hash' => ['privates', '.security.command.user_password_hash.lazy', 'get_Security_Command_UserPasswordHash_LazyService', true],
- 'lexik_jwt_authentication.check_config_command' => ['privates', '.lexik_jwt_authentication.check_config_command.lazy', 'get_LexikJwtAuthentication_CheckConfigCommand_LazyService', true],
- 'lexik_jwt_authentication.migrate_config_command' => ['privates', '.lexik_jwt_authentication.migrate_config_command.lazy', 'get_LexikJwtAuthentication_MigrateConfigCommand_LazyService', true],
- 'lexik_jwt_authentication.enable_encryption_config_command' => ['privates', '.lexik_jwt_authentication.enable_encryption_config_command.lazy', 'get_LexikJwtAuthentication_EnableEncryptionConfigCommand_LazyService', true],
- 'lexik_jwt_authentication.generate_token_command' => ['privates', '.lexik_jwt_authentication.generate_token_command.lazy', 'get_LexikJwtAuthentication_GenerateTokenCommand_LazyService', true],
- 'lexik_jwt_authentication.generate_keypair_command' => ['privates', '.lexik_jwt_authentication.generate_keypair_command.lazy', 'get_LexikJwtAuthentication_GenerateKeypairCommand_LazyService', true],
- 'twig.command.debug' => ['privates', '.twig.command.debug.lazy', 'get_Twig_Command_Debug_LazyService', true],
- 'twig.command.lint' => ['privates', '.twig.command.lint.lazy', 'get_Twig_Command_Lint_LazyService', true],
- 'nelmio_api_doc.command.dump' => ['services', 'nelmio_api_doc.command.dump', 'getNelmioApiDoc_Command_DumpService', true],
- 'maker.auto_command.make_auth' => ['privates', '.maker.auto_command.make_auth.lazy', 'get_Maker_AutoCommand_MakeAuth_LazyService', true],
- 'maker.auto_command.make_command' => ['privates', '.maker.auto_command.make_command.lazy', 'get_Maker_AutoCommand_MakeCommand_LazyService', true],
- 'maker.auto_command.make_twig_component' => ['privates', '.maker.auto_command.make_twig_component.lazy', 'get_Maker_AutoCommand_MakeTwigComponent_LazyService', true],
- 'maker.auto_command.make_controller' => ['privates', '.maker.auto_command.make_controller.lazy', 'get_Maker_AutoCommand_MakeController_LazyService', true],
- 'maker.auto_command.make_crud' => ['privates', '.maker.auto_command.make_crud.lazy', 'get_Maker_AutoCommand_MakeCrud_LazyService', true],
- 'maker.auto_command.make_docker_database' => ['privates', '.maker.auto_command.make_docker_database.lazy', 'get_Maker_AutoCommand_MakeDockerDatabase_LazyService', true],
- 'maker.auto_command.make_entity' => ['privates', '.maker.auto_command.make_entity.lazy', 'get_Maker_AutoCommand_MakeEntity_LazyService', true],
- 'maker.auto_command.make_fixtures' => ['privates', '.maker.auto_command.make_fixtures.lazy', 'get_Maker_AutoCommand_MakeFixtures_LazyService', true],
- 'maker.auto_command.make_form' => ['privates', '.maker.auto_command.make_form.lazy', 'get_Maker_AutoCommand_MakeForm_LazyService', true],
- 'maker.auto_command.make_listener' => ['privates', '.maker.auto_command.make_listener.lazy', 'get_Maker_AutoCommand_MakeListener_LazyService', true],
- 'maker.auto_command.make_message' => ['privates', '.maker.auto_command.make_message.lazy', 'get_Maker_AutoCommand_MakeMessage_LazyService', true],
- 'maker.auto_command.make_messenger_middleware' => ['privates', '.maker.auto_command.make_messenger_middleware.lazy', 'get_Maker_AutoCommand_MakeMessengerMiddleware_LazyService', true],
- 'maker.auto_command.make_registration_form' => ['privates', '.maker.auto_command.make_registration_form.lazy', 'get_Maker_AutoCommand_MakeRegistrationForm_LazyService', true],
- 'maker.auto_command.make_reset_password' => ['privates', '.maker.auto_command.make_reset_password.lazy', 'get_Maker_AutoCommand_MakeResetPassword_LazyService', true],
- 'maker.auto_command.make_serializer_encoder' => ['privates', '.maker.auto_command.make_serializer_encoder.lazy', 'get_Maker_AutoCommand_MakeSerializerEncoder_LazyService', true],
- 'maker.auto_command.make_serializer_normalizer' => ['privates', '.maker.auto_command.make_serializer_normalizer.lazy', 'get_Maker_AutoCommand_MakeSerializerNormalizer_LazyService', true],
- 'maker.auto_command.make_twig_extension' => ['privates', '.maker.auto_command.make_twig_extension.lazy', 'get_Maker_AutoCommand_MakeTwigExtension_LazyService', true],
- 'maker.auto_command.make_test' => ['privates', '.maker.auto_command.make_test.lazy', 'get_Maker_AutoCommand_MakeTest_LazyService', true],
- 'maker.auto_command.make_validator' => ['privates', '.maker.auto_command.make_validator.lazy', 'get_Maker_AutoCommand_MakeValidator_LazyService', true],
- 'maker.auto_command.make_voter' => ['privates', '.maker.auto_command.make_voter.lazy', 'get_Maker_AutoCommand_MakeVoter_LazyService', true],
- 'maker.auto_command.make_user' => ['privates', '.maker.auto_command.make_user.lazy', 'get_Maker_AutoCommand_MakeUser_LazyService', true],
- 'maker.auto_command.make_migration' => ['privates', '.maker.auto_command.make_migration.lazy', 'get_Maker_AutoCommand_MakeMigration_LazyService', true],
- 'maker.auto_command.make_stimulus_controller' => ['privates', '.maker.auto_command.make_stimulus_controller.lazy', 'get_Maker_AutoCommand_MakeStimulusController_LazyService', true],
- 'maker.auto_command.make_security_form_login' => ['privates', '.maker.auto_command.make_security_form_login.lazy', 'get_Maker_AutoCommand_MakeSecurityFormLogin_LazyService', true],
- ], [
- 'console.command.about' => '?',
- 'console.command.assets_install' => '?',
- 'console.command.cache_clear' => '?',
- 'console.command.cache_pool_clear' => '?',
- 'console.command.cache_pool_prune' => '?',
- 'console.command.cache_pool_invalidate_tags' => '?',
- 'console.command.cache_pool_delete' => '?',
- 'console.command.cache_pool_list' => '?',
- 'console.command.cache_warmup' => '?',
- 'console.command.config_debug' => '?',
- 'console.command.config_dump_reference' => '?',
- 'console.command.container_debug' => '?',
- 'console.command.container_lint' => '?',
- 'console.command.debug_autowiring' => '?',
- 'console.command.dotenv_debug' => '?',
- 'console.command.event_dispatcher_debug' => '?',
- 'console.command.router_debug' => '?',
- 'console.command.router_match' => '?',
- 'console.command.validator_debug' => '?',
- 'console.command.yaml_lint' => '?',
- 'console.command.secrets_set' => '?',
- 'console.command.secrets_remove' => '?',
- 'console.command.secrets_generate_key' => '?',
- 'console.command.secrets_list' => '?',
- 'console.command.secrets_decrypt_to_local' => '?',
- 'console.command.secrets_encrypt_from_local' => '?',
- 'console.command.mailer_test' => '?',
- 'doctrine.database_create_command' => 'Doctrine\\Bundle\\DoctrineBundle\\Command\\CreateDatabaseDoctrineCommand',
- 'doctrine.database_drop_command' => 'Doctrine\\Bundle\\DoctrineBundle\\Command\\DropDatabaseDoctrineCommand',
- 'doctrine.query_sql_command' => 'Doctrine\\Bundle\\DoctrineBundle\\Command\\Proxy\\RunSqlDoctrineCommand',
- 'Doctrine\\DBAL\\Tools\\Console\\Command\\RunSqlCommand' => 'Doctrine\\DBAL\\Tools\\Console\\Command\\RunSqlCommand',
- 'doctrine.cache_clear_metadata_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\ClearCache\\MetadataCommand',
- 'doctrine.cache_clear_query_cache_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\ClearCache\\QueryCommand',
- 'doctrine.cache_clear_result_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\ClearCache\\ResultCommand',
- 'doctrine.cache_collection_region_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\ClearCache\\CollectionRegionCommand',
- 'doctrine.mapping_convert_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\ConvertMappingCommand',
- 'doctrine.schema_create_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\SchemaTool\\CreateCommand',
- 'doctrine.schema_drop_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\SchemaTool\\DropCommand',
- 'doctrine.ensure_production_settings_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\EnsureProductionSettingsCommand',
- 'doctrine.clear_entity_region_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\ClearCache\\EntityRegionCommand',
- 'doctrine.mapping_info_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\InfoCommand',
- 'doctrine.clear_query_region_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\ClearCache\\QueryRegionCommand',
- 'doctrine.query_dql_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\RunDqlCommand',
- 'doctrine.schema_update_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\SchemaTool\\UpdateCommand',
- 'doctrine.schema_validate_command' => 'Doctrine\\ORM\\Tools\\Console\\Command\\ValidateSchemaCommand',
- 'doctrine.mapping_import_command' => 'Doctrine\\Bundle\\DoctrineBundle\\Command\\ImportMappingDoctrineCommand',
- 'doctrine_migrations.diff_command' => '?',
- 'doctrine_migrations.sync_metadata_command' => '?',
- 'doctrine_migrations.versions_command' => '?',
- 'doctrine_migrations.current_command' => '?',
- 'doctrine_migrations.dump_schema_command' => '?',
- 'doctrine_migrations.execute_command' => '?',
- 'doctrine_migrations.generate_command' => '?',
- 'doctrine_migrations.latest_command' => '?',
- 'doctrine_migrations.migrate_command' => '?',
- 'doctrine_migrations.rollup_command' => '?',
- 'doctrine_migrations.status_command' => '?',
- 'doctrine_migrations.up_to_date_command' => '?',
- 'doctrine_migrations.version_command' => '?',
- 'security.command.debug_firewall' => '?',
- 'security.command.user_password_hash' => '?',
- 'lexik_jwt_authentication.check_config_command' => '?',
- 'lexik_jwt_authentication.migrate_config_command' => '?',
- 'lexik_jwt_authentication.enable_encryption_config_command' => '?',
- 'lexik_jwt_authentication.generate_token_command' => '?',
- 'lexik_jwt_authentication.generate_keypair_command' => '?',
- 'twig.command.debug' => '?',
- 'twig.command.lint' => '?',
- 'nelmio_api_doc.command.dump' => 'Nelmio\\ApiDocBundle\\Command\\DumpCommand',
- 'maker.auto_command.make_auth' => '?',
- 'maker.auto_command.make_command' => '?',
- 'maker.auto_command.make_twig_component' => '?',
- 'maker.auto_command.make_controller' => '?',
- 'maker.auto_command.make_crud' => '?',
- 'maker.auto_command.make_docker_database' => '?',
- 'maker.auto_command.make_entity' => '?',
- 'maker.auto_command.make_fixtures' => '?',
- 'maker.auto_command.make_form' => '?',
- 'maker.auto_command.make_listener' => '?',
- 'maker.auto_command.make_message' => '?',
- 'maker.auto_command.make_messenger_middleware' => '?',
- 'maker.auto_command.make_registration_form' => '?',
- 'maker.auto_command.make_reset_password' => '?',
- 'maker.auto_command.make_serializer_encoder' => '?',
- 'maker.auto_command.make_serializer_normalizer' => '?',
- 'maker.auto_command.make_twig_extension' => '?',
- 'maker.auto_command.make_test' => '?',
- 'maker.auto_command.make_validator' => '?',
- 'maker.auto_command.make_voter' => '?',
- 'maker.auto_command.make_user' => '?',
- 'maker.auto_command.make_migration' => '?',
- 'maker.auto_command.make_stimulus_controller' => '?',
- 'maker.auto_command.make_security_form_login' => '?',
- ]), ['about' => 'console.command.about', 'assets:install' => 'console.command.assets_install', 'cache:clear' => 'console.command.cache_clear', 'cache:pool:clear' => 'console.command.cache_pool_clear', 'cache:pool:prune' => 'console.command.cache_pool_prune', 'cache:pool:invalidate-tags' => 'console.command.cache_pool_invalidate_tags', 'cache:pool:delete' => 'console.command.cache_pool_delete', 'cache:pool:list' => 'console.command.cache_pool_list', 'cache:warmup' => 'console.command.cache_warmup', 'debug:config' => 'console.command.config_debug', 'config:dump-reference' => 'console.command.config_dump_reference', 'debug:container' => 'console.command.container_debug', 'lint:container' => 'console.command.container_lint', 'debug:autowiring' => 'console.command.debug_autowiring', 'debug:dotenv' => 'console.command.dotenv_debug', 'debug:event-dispatcher' => 'console.command.event_dispatcher_debug', 'debug:router' => 'console.command.router_debug', 'router:match' => 'console.command.router_match', 'debug:validator' => 'console.command.validator_debug', 'lint:yaml' => 'console.command.yaml_lint', 'secrets:set' => 'console.command.secrets_set', 'secrets:remove' => 'console.command.secrets_remove', 'secrets:generate-keys' => 'console.command.secrets_generate_key', 'secrets:list' => 'console.command.secrets_list', 'secrets:decrypt-to-local' => 'console.command.secrets_decrypt_to_local', 'secrets:encrypt-from-local' => 'console.command.secrets_encrypt_from_local', 'mailer:test' => 'console.command.mailer_test', 'doctrine:database:create' => 'doctrine.database_create_command', 'doctrine:database:drop' => 'doctrine.database_drop_command', 'doctrine:query:sql' => 'doctrine.query_sql_command', 'dbal:run-sql' => 'Doctrine\\DBAL\\Tools\\Console\\Command\\RunSqlCommand', 'doctrine:cache:clear-metadata' => 'doctrine.cache_clear_metadata_command', 'doctrine:cache:clear-query' => 'doctrine.cache_clear_query_cache_command', 'doctrine:cache:clear-result' => 'doctrine.cache_clear_result_command', 'doctrine:cache:clear-collection-region' => 'doctrine.cache_collection_region_command', 'doctrine:mapping:convert' => 'doctrine.mapping_convert_command', 'doctrine:schema:create' => 'doctrine.schema_create_command', 'doctrine:schema:drop' => 'doctrine.schema_drop_command', 'doctrine:ensure-production-settings' => 'doctrine.ensure_production_settings_command', 'doctrine:cache:clear-entity-region' => 'doctrine.clear_entity_region_command', 'doctrine:mapping:info' => 'doctrine.mapping_info_command', 'doctrine:cache:clear-query-region' => 'doctrine.clear_query_region_command', 'doctrine:query:dql' => 'doctrine.query_dql_command', 'doctrine:schema:update' => 'doctrine.schema_update_command', 'doctrine:schema:validate' => 'doctrine.schema_validate_command', 'doctrine:mapping:import' => 'doctrine.mapping_import_command', 'doctrine:migrations:diff' => 'doctrine_migrations.diff_command', 'doctrine:migrations:sync-metadata-storage' => 'doctrine_migrations.sync_metadata_command', 'doctrine:migrations:list' => 'doctrine_migrations.versions_command', 'doctrine:migrations:current' => 'doctrine_migrations.current_command', 'doctrine:migrations:dump-schema' => 'doctrine_migrations.dump_schema_command', 'doctrine:migrations:execute' => 'doctrine_migrations.execute_command', 'doctrine:migrations:generate' => 'doctrine_migrations.generate_command', 'doctrine:migrations:latest' => 'doctrine_migrations.latest_command', 'doctrine:migrations:migrate' => 'doctrine_migrations.migrate_command', 'doctrine:migrations:rollup' => 'doctrine_migrations.rollup_command', 'doctrine:migrations:status' => 'doctrine_migrations.status_command', 'doctrine:migrations:up-to-date' => 'doctrine_migrations.up_to_date_command', 'doctrine:migrations:version' => 'doctrine_migrations.version_command', 'debug:firewall' => 'security.command.debug_firewall', 'security:hash-password' => 'security.command.user_password_hash', 'lexik:jwt:check-config' => 'lexik_jwt_authentication.check_config_command', 'lexik:jwt:migrate-config' => 'lexik_jwt_authentication.migrate_config_command', 'lexik:jwt:enable-encryption' => 'lexik_jwt_authentication.enable_encryption_config_command', 'lexik:jwt:generate-token' => 'lexik_jwt_authentication.generate_token_command', 'lexik:jwt:generate-keypair' => 'lexik_jwt_authentication.generate_keypair_command', 'debug:twig' => 'twig.command.debug', 'lint:twig' => 'twig.command.lint', 'nelmio:apidoc:dump' => 'nelmio_api_doc.command.dump', 'make:auth' => 'maker.auto_command.make_auth', 'make:command' => 'maker.auto_command.make_command', 'make:twig-component' => 'maker.auto_command.make_twig_component', 'make:controller' => 'maker.auto_command.make_controller', 'make:crud' => 'maker.auto_command.make_crud', 'make:docker:database' => 'maker.auto_command.make_docker_database', 'make:entity' => 'maker.auto_command.make_entity', 'make:fixtures' => 'maker.auto_command.make_fixtures', 'make:form' => 'maker.auto_command.make_form', 'make:listener' => 'maker.auto_command.make_listener', 'make:subscriber' => 'maker.auto_command.make_listener', 'make:message' => 'maker.auto_command.make_message', 'make:messenger-middleware' => 'maker.auto_command.make_messenger_middleware', 'make:registration-form' => 'maker.auto_command.make_registration_form', 'make:reset-password' => 'maker.auto_command.make_reset_password', 'make:serializer:encoder' => 'maker.auto_command.make_serializer_encoder', 'make:serializer:normalizer' => 'maker.auto_command.make_serializer_normalizer', 'make:twig-extension' => 'maker.auto_command.make_twig_extension', 'make:test' => 'maker.auto_command.make_test', 'make:unit-test' => 'maker.auto_command.make_test', 'make:functional-test' => 'maker.auto_command.make_test', 'make:validator' => 'maker.auto_command.make_validator', 'make:voter' => 'maker.auto_command.make_voter', 'make:user' => 'maker.auto_command.make_user', 'make:migration' => 'maker.auto_command.make_migration', 'make:stimulus-controller' => 'maker.auto_command.make_stimulus_controller', 'make:security:form-login' => 'maker.auto_command.make_security_form_login']);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_AboutService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_AboutService.php
deleted file mode 100644
index fa155f5a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_AboutService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.about'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\AboutCommand();
-
- $instance->setName('about');
- $instance->setDescription('Display information about the current project');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_AssetsInstallService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_AssetsInstallService.php
deleted file mode 100644
index 10d45a2d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_AssetsInstallService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['console.command.assets_install'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\AssetsInstallCommand(($container->privates['filesystem'] ??= new \Symfony\Component\Filesystem\Filesystem()), \dirname(__DIR__, 4));
-
- $instance->setName('assets:install');
- $instance->setDescription('Install bundle\'s web assets under a public directory');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CacheClearService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CacheClearService.php
deleted file mode 100644
index 51d2c31f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CacheClearService.php
+++ /dev/null
@@ -1,36 +0,0 @@
-privates['console.command.cache_clear'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\CacheClearCommand(new \Symfony\Component\HttpKernel\CacheClearer\ChainCacheClearer(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->services['cache.system_clearer'] ?? $container->load('getCache_SystemClearerService'));
- }, 1)), ($container->privates['filesystem'] ??= new \Symfony\Component\Filesystem\Filesystem()));
-
- $instance->setName('cache:clear');
- $instance->setDescription('Clear the cache');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolClearService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolClearService.php
deleted file mode 100644
index 17432b12..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolClearService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.cache_pool_clear'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\CachePoolClearCommand(($container->services['cache.global_clearer'] ?? $container->load('getCache_GlobalClearerService')), ['cache.app', 'cache.system', 'cache.validator', 'cache.serializer', 'cache.annotations', 'cache.property_info', 'cache.validator_expression_language', 'cache.doctrine.orm.default.result', 'cache.doctrine.orm.default.query', 'cache.security_expression_language', 'cache.security_is_granted_attribute_expression_language']);
-
- $instance->setName('cache:pool:clear');
- $instance->setDescription('Clear cache pools');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolDeleteService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolDeleteService.php
deleted file mode 100644
index 0b1e8c66..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolDeleteService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.cache_pool_delete'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\CachePoolDeleteCommand(($container->services['cache.global_clearer'] ?? $container->load('getCache_GlobalClearerService')), ['cache.app', 'cache.system', 'cache.validator', 'cache.serializer', 'cache.annotations', 'cache.property_info', 'cache.validator_expression_language', 'cache.doctrine.orm.default.result', 'cache.doctrine.orm.default.query', 'cache.security_expression_language', 'cache.security_is_granted_attribute_expression_language']);
-
- $instance->setName('cache:pool:delete');
- $instance->setDescription('Delete an item from a cache pool');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolInvalidateTagsService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolInvalidateTagsService.php
deleted file mode 100644
index de29b264..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolInvalidateTagsService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['console.command.cache_pool_invalidate_tags'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\CachePoolInvalidateTagsCommand(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'cache.app' => ['privates', 'cache.app.taggable', 'getCache_App_TaggableService', true],
- ], [
- 'cache.app' => 'Symfony\\Component\\Cache\\Adapter\\TagAwareAdapter',
- ]));
-
- $instance->setName('cache:pool:invalidate-tags');
- $instance->setDescription('Invalidate cache tags for all or a specific pool');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolListService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolListService.php
deleted file mode 100644
index 8e45da0e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolListService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.cache_pool_list'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\CachePoolListCommand(['cache.app', 'cache.system', 'cache.validator', 'cache.serializer', 'cache.annotations', 'cache.property_info', 'cache.validator_expression_language', 'cache.doctrine.orm.default.result', 'cache.doctrine.orm.default.query', 'cache.security_expression_language', 'cache.security_is_granted_attribute_expression_language']);
-
- $instance->setName('cache:pool:list');
- $instance->setDescription('List available cache pools');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolPruneService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolPruneService.php
deleted file mode 100644
index 54d30138..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CachePoolPruneService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['console.command.cache_pool_prune'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\CachePoolPruneCommand(new RewindableGenerator(function () use ($container) {
- yield 'cache.app' => ($container->services['cache.app'] ?? $container->load('getCache_AppService'));
- }, 1));
-
- $instance->setName('cache:pool:prune');
- $instance->setDescription('Prune cache pools');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CacheWarmupService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CacheWarmupService.php
deleted file mode 100644
index 6c5e1da4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_CacheWarmupService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.cache_warmup'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\CacheWarmupCommand(($container->services['cache_warmer'] ?? $container->load('getCacheWarmerService')));
-
- $instance->setName('cache:warmup');
- $instance->setDescription('Warm up an empty cache');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ConfigDebugService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ConfigDebugService.php
deleted file mode 100644
index 21c08167..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ConfigDebugService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-privates['console.command.config_debug'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\ConfigDebugCommand();
-
- $instance->setName('debug:config');
- $instance->setDescription('Dump the current configuration for an extension');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ConfigDumpReferenceService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ConfigDumpReferenceService.php
deleted file mode 100644
index 3c780aed..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ConfigDumpReferenceService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-privates['console.command.config_dump_reference'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\ConfigDumpReferenceCommand();
-
- $instance->setName('config:dump-reference');
- $instance->setDescription('Dump the default configuration for an extension');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ContainerDebugService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ContainerDebugService.php
deleted file mode 100644
index e3faa983..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ContainerDebugService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['console.command.container_debug'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\ContainerDebugCommand();
-
- $instance->setName('debug:container');
- $instance->setDescription('Display current services for an application');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ContainerLintService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ContainerLintService.php
deleted file mode 100644
index 397ac081..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ContainerLintService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.container_lint'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\ContainerLintCommand();
-
- $instance->setName('lint:container');
- $instance->setDescription('Ensure that arguments injected into services match type declarations');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_DebugAutowiringService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_DebugAutowiringService.php
deleted file mode 100644
index 12c0770e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_DebugAutowiringService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-privates['console.command.debug_autowiring'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\DebugAutowiringCommand(NULL, ($container->privates['debug.file_link_formatter'] ??= new \Symfony\Component\HttpKernel\Debug\FileLinkFormatter($container->getEnv('default::SYMFONY_IDE'))));
-
- $instance->setName('debug:autowiring');
- $instance->setDescription('List classes/interfaces you can use for autowiring');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_DotenvDebugService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_DotenvDebugService.php
deleted file mode 100644
index 352f7e19..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_DotenvDebugService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.dotenv_debug'] = $instance = new \Symfony\Component\Dotenv\Command\DebugCommand('dev', \dirname(__DIR__, 4));
-
- $instance->setName('debug:dotenv');
- $instance->setDescription('Lists all dotenv files with variables and values');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_EventDispatcherDebugService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_EventDispatcherDebugService.php
deleted file mode 100644
index 02a76a35..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_EventDispatcherDebugService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.event_dispatcher_debug'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\EventDispatcherDebugCommand(($container->privates['.service_locator.Oannbdp'] ?? $container->load('get_ServiceLocator_OannbdpService')));
-
- $instance->setName('debug:event-dispatcher');
- $instance->setDescription('Display configured listeners for an application');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_MailerTestService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_MailerTestService.php
deleted file mode 100644
index ba196f56..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_MailerTestService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.mailer_test'] = $instance = new \Symfony\Component\Mailer\Command\MailerTestCommand(($container->privates['mailer.transports'] ?? $container->load('getMailer_TransportsService')));
-
- $instance->setName('mailer:test');
- $instance->setDescription('Test Mailer transports by sending an email');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_RouterDebugService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_RouterDebugService.php
deleted file mode 100644
index 33a281b2..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_RouterDebugService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['console.command.router_debug'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\RouterDebugCommand(($container->services['router'] ?? self::getRouterService($container)), ($container->privates['debug.file_link_formatter'] ??= new \Symfony\Component\HttpKernel\Debug\FileLinkFormatter($container->getEnv('default::SYMFONY_IDE'))));
-
- $instance->setName('debug:router');
- $instance->setDescription('Display current routes for an application');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_RouterMatchService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_RouterMatchService.php
deleted file mode 100644
index 96bab11d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_RouterMatchService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.router_match'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\RouterMatchCommand(($container->services['router'] ?? self::getRouterService($container)), new RewindableGenerator(fn () => new \EmptyIterator(), 0));
-
- $instance->setName('router:match');
- $instance->setDescription('Help debug routes by simulating a path info match');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsDecryptToLocalService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsDecryptToLocalService.php
deleted file mode 100644
index 3c70dc83..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsDecryptToLocalService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['console.command.secrets_decrypt_to_local'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\SecretsDecryptToLocalCommand(($container->privates['secrets.vault'] ?? $container->load('getSecrets_VaultService')), ($container->privates['secrets.local_vault'] ??= new \Symfony\Bundle\FrameworkBundle\Secrets\DotenvVault((\dirname(__DIR__, 4).'/.env.dev.local'))));
-
- $instance->setName('secrets:decrypt-to-local');
- $instance->setDescription('Decrypt all secrets and stores them in the local vault');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsEncryptFromLocalService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsEncryptFromLocalService.php
deleted file mode 100644
index eea407cd..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsEncryptFromLocalService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['console.command.secrets_encrypt_from_local'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\SecretsEncryptFromLocalCommand(($container->privates['secrets.vault'] ?? $container->load('getSecrets_VaultService')), ($container->privates['secrets.local_vault'] ??= new \Symfony\Bundle\FrameworkBundle\Secrets\DotenvVault((\dirname(__DIR__, 4).'/.env.dev.local'))));
-
- $instance->setName('secrets:encrypt-from-local');
- $instance->setDescription('Encrypt all local secrets to the vault');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsGenerateKeyService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsGenerateKeyService.php
deleted file mode 100644
index e832c405..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsGenerateKeyService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['console.command.secrets_generate_key'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\SecretsGenerateKeysCommand(($container->privates['secrets.vault'] ?? $container->load('getSecrets_VaultService')), ($container->privates['secrets.local_vault'] ??= new \Symfony\Bundle\FrameworkBundle\Secrets\DotenvVault((\dirname(__DIR__, 4).'/.env.dev.local'))));
-
- $instance->setName('secrets:generate-keys');
- $instance->setDescription('Generate new encryption keys');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsListService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsListService.php
deleted file mode 100644
index 3d371566..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsListService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['console.command.secrets_list'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\SecretsListCommand(($container->privates['secrets.vault'] ?? $container->load('getSecrets_VaultService')), ($container->privates['secrets.local_vault'] ??= new \Symfony\Bundle\FrameworkBundle\Secrets\DotenvVault((\dirname(__DIR__, 4).'/.env.dev.local'))));
-
- $instance->setName('secrets:list');
- $instance->setDescription('List all secrets');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsRemoveService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsRemoveService.php
deleted file mode 100644
index eb4c5b31..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsRemoveService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['console.command.secrets_remove'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\SecretsRemoveCommand(($container->privates['secrets.vault'] ?? $container->load('getSecrets_VaultService')), ($container->privates['secrets.local_vault'] ??= new \Symfony\Bundle\FrameworkBundle\Secrets\DotenvVault((\dirname(__DIR__, 4).'/.env.dev.local'))));
-
- $instance->setName('secrets:remove');
- $instance->setDescription('Remove a secret from the vault');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsSetService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsSetService.php
deleted file mode 100644
index 57972891..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_SecretsSetService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['console.command.secrets_set'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\SecretsSetCommand(($container->privates['secrets.vault'] ?? $container->load('getSecrets_VaultService')), ($container->privates['secrets.local_vault'] ??= new \Symfony\Bundle\FrameworkBundle\Secrets\DotenvVault((\dirname(__DIR__, 4).'/.env.dev.local'))));
-
- $instance->setName('secrets:set');
- $instance->setDescription('Set a secret in the vault');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ValidatorDebugService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ValidatorDebugService.php
deleted file mode 100644
index 36aefe8a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_ValidatorDebugService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['console.command.validator_debug'] = $instance = new \Symfony\Component\Validator\Command\DebugCommand(($container->privates['validator'] ?? $container->load('getValidatorService')));
-
- $instance->setName('debug:validator');
- $instance->setDescription('Display validation constraints for classes');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_YamlLintService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_Command_YamlLintService.php
deleted file mode 100644
index 2a60311d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_Command_YamlLintService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['console.command.yaml_lint'] = $instance = new \Symfony\Bundle\FrameworkBundle\Command\YamlLintCommand();
-
- $instance->setName('lint:yaml');
- $instance->setDescription('Lint a YAML file and outputs encountered errors');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getConsole_ErrorListenerService.php b/var/cache/dev/ContainerDm8zrDD/getConsole_ErrorListenerService.php
deleted file mode 100644
index bb7c031c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getConsole_ErrorListenerService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['console.error_listener'] = new \Symfony\Component\Console\EventListener\ErrorListener(($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getContainer_EnvVarProcessorService.php b/var/cache/dev/ContainerDm8zrDD/getContainer_EnvVarProcessorService.php
deleted file mode 100644
index add71283..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getContainer_EnvVarProcessorService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['container.env_var_processor'] = new \Symfony\Component\DependencyInjection\EnvVarProcessor($container, new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['secrets.vault'] ?? $container->load('getSecrets_VaultService'));
- }, 1));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getContainer_EnvVarProcessorsLocatorService.php b/var/cache/dev/ContainerDm8zrDD/getContainer_EnvVarProcessorsLocatorService.php
deleted file mode 100644
index d4b5193b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getContainer_EnvVarProcessorsLocatorService.php
+++ /dev/null
@@ -1,63 +0,0 @@
-services['container.env_var_processors_locator'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'base64' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'bool' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'const' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'csv' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'default' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'enum' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'file' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'float' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'int' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'json' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'key' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'not' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'query_string' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'require' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'resolve' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'shuffle' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'string' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'trim' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- 'url' => ['privates', 'container.env_var_processor', 'getContainer_EnvVarProcessorService', true],
- ], [
- 'base64' => '?',
- 'bool' => '?',
- 'const' => '?',
- 'csv' => '?',
- 'default' => '?',
- 'enum' => '?',
- 'file' => '?',
- 'float' => '?',
- 'int' => '?',
- 'json' => '?',
- 'key' => '?',
- 'not' => '?',
- 'query_string' => '?',
- 'require' => '?',
- 'resolve' => '?',
- 'shuffle' => '?',
- 'string' => '?',
- 'trim' => '?',
- 'url' => '?',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getContainer_GetRoutingConditionServiceService.php b/var/cache/dev/ContainerDm8zrDD/getContainer_GetRoutingConditionServiceService.php
deleted file mode 100644
index e8e1e460..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getContainer_GetRoutingConditionServiceService.php
+++ /dev/null
@@ -1,23 +0,0 @@
-services['container.get_routing_condition_service'] = (new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [], []))->get(...);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getController_TemplateAttributeListenerService.php b/var/cache/dev/ContainerDm8zrDD/getController_TemplateAttributeListenerService.php
deleted file mode 100644
index 34aa99d0..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getController_TemplateAttributeListenerService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['twig'] ?? $container->load('getTwigService'));
-
- if (isset($container->privates['controller.template_attribute_listener'])) {
- return $container->privates['controller.template_attribute_listener'];
- }
-
- return $container->privates['controller.template_attribute_listener'] = new \Symfony\Bridge\Twig\EventListener\TemplateAttributeListener($a);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getCustomRoleRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getCustomRoleRepositoryService.php
deleted file mode 100644
index 65316b79..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getCustomRoleRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\CustomRoleRepository'] = new \DMD\LaLigaApi\Repository\CustomRoleRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDebug_ErrorHandlerConfiguratorService.php b/var/cache/dev/ContainerDm8zrDD/getDebug_ErrorHandlerConfiguratorService.php
deleted file mode 100644
index 1447ce48..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDebug_ErrorHandlerConfiguratorService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-services['debug.error_handler_configurator'] = new \Symfony\Component\HttpKernel\Debug\ErrorHandlerConfigurator(($container->privates['logger'] ?? self::getLoggerService($container)), NULL, -1, true, true, NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_EventDispatcher_ApiService.php b/var/cache/dev/ContainerDm8zrDD/getDebug_Security_EventDispatcher_ApiService.php
deleted file mode 100644
index 7e26667c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_EventDispatcher_ApiService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['debug.security.event_dispatcher.api'] = $instance = new \Symfony\Component\EventDispatcher\Debug\TraceableEventDispatcher(new \Symfony\Component\EventDispatcher\EventDispatcher(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)), ($container->privates['logger'] ?? self::getLoggerService($container)), ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()));
-
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.user_checker.api', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserCheckerListener')] fn () => ($container->privates['security.listener.user_checker.api'] ?? $container->load('getSecurity_Listener_UserChecker_ApiService')), 'preCheckCredentials'], 256);
- $instance->addListener('security.authentication.success', [#[\Closure(name: 'security.listener.user_checker.api', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserCheckerListener')] fn () => ($container->privates['security.listener.user_checker.api'] ?? $container->load('getSecurity_Listener_UserChecker_ApiService')), 'postCheckCredentials'], 256);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.user_provider', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserProviderListener')] fn () => ($container->privates['security.listener.user_provider'] ?? $container->load('getSecurity_Listener_UserProviderService')), 'checkPassport'], 1024);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.check_authenticator_credentials', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CheckCredentialsListener')] fn () => ($container->privates['security.listener.check_authenticator_credentials'] ?? $container->load('getSecurity_Listener_CheckAuthenticatorCredentialsService')), 'checkPassport'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LoginSuccessEvent', [#[\Closure(name: 'security.listener.password_migrating', class: 'Symfony\\Component\\Security\\Http\\EventListener\\PasswordMigratingListener')] fn () => ($container->privates['security.listener.password_migrating'] ?? $container->load('getSecurity_Listener_PasswordMigratingService')), 'onLoginSuccess'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.csrf_protection', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CsrfProtectionListener')] fn () => ($container->privates['security.listener.csrf_protection'] ?? $container->load('getSecurity_Listener_CsrfProtectionService')), 'checkPassport'], 512);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LogoutEvent', [#[\Closure(name: 'security.logout.listener.csrf_token_clearing', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CsrfTokenClearingLogoutListener')] fn () => ($container->privates['security.logout.listener.csrf_token_clearing'] ?? $container->load('getSecurity_Logout_Listener_CsrfTokenClearingService')), 'onLogout'], 0);
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_EventDispatcher_LoginService.php b/var/cache/dev/ContainerDm8zrDD/getDebug_Security_EventDispatcher_LoginService.php
deleted file mode 100644
index 877e270c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_EventDispatcher_LoginService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['debug.security.event_dispatcher.login'] = $instance = new \Symfony\Component\EventDispatcher\Debug\TraceableEventDispatcher(new \Symfony\Component\EventDispatcher\EventDispatcher(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)), ($container->privates['logger'] ?? self::getLoggerService($container)), ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()));
-
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.user_checker.login', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserCheckerListener')] fn () => ($container->privates['security.listener.user_checker.login'] ?? $container->load('getSecurity_Listener_UserChecker_LoginService')), 'preCheckCredentials'], 256);
- $instance->addListener('security.authentication.success', [#[\Closure(name: 'security.listener.user_checker.login', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserCheckerListener')] fn () => ($container->privates['security.listener.user_checker.login'] ?? $container->load('getSecurity_Listener_UserChecker_LoginService')), 'postCheckCredentials'], 256);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.user_provider', class: 'Symfony\\Component\\Security\\Http\\EventListener\\UserProviderListener')] fn () => ($container->privates['security.listener.user_provider'] ?? $container->load('getSecurity_Listener_UserProviderService')), 'checkPassport'], 1024);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.check_authenticator_credentials', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CheckCredentialsListener')] fn () => ($container->privates['security.listener.check_authenticator_credentials'] ?? $container->load('getSecurity_Listener_CheckAuthenticatorCredentialsService')), 'checkPassport'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LoginSuccessEvent', [#[\Closure(name: 'security.listener.password_migrating', class: 'Symfony\\Component\\Security\\Http\\EventListener\\PasswordMigratingListener')] fn () => ($container->privates['security.listener.password_migrating'] ?? $container->load('getSecurity_Listener_PasswordMigratingService')), 'onLoginSuccess'], 0);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\CheckPassportEvent', [#[\Closure(name: 'security.listener.csrf_protection', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CsrfProtectionListener')] fn () => ($container->privates['security.listener.csrf_protection'] ?? $container->load('getSecurity_Listener_CsrfProtectionService')), 'checkPassport'], 512);
- $instance->addListener('Symfony\\Component\\Security\\Http\\Event\\LogoutEvent', [#[\Closure(name: 'security.logout.listener.csrf_token_clearing', class: 'Symfony\\Component\\Security\\Http\\EventListener\\CsrfTokenClearingLogoutListener')] fn () => ($container->privates['security.logout.listener.csrf_token_clearing'] ?? $container->load('getSecurity_Logout_Listener_CsrfTokenClearingService')), 'onLogout'], 0);
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_ApiService.php b/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_ApiService.php
deleted file mode 100644
index 7cc38d38..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_ApiService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['security.authenticator.manager.api'] ?? $container->load('getSecurity_Authenticator_Manager_ApiService'));
-
- if (isset($container->privates['debug.security.firewall.authenticator.api'])) {
- return $container->privates['debug.security.firewall.authenticator.api'];
- }
-
- return $container->privates['debug.security.firewall.authenticator.api'] = new \Symfony\Component\Security\Http\Authenticator\Debug\TraceableAuthenticatorManagerListener(new \Symfony\Component\Security\Http\Firewall\AuthenticatorManagerListener($a));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_LoginService.php b/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_LoginService.php
deleted file mode 100644
index 4ba065c3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_LoginService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['security.authenticator.manager.login'] ?? $container->load('getSecurity_Authenticator_Manager_LoginService'));
-
- if (isset($container->privates['debug.security.firewall.authenticator.login'])) {
- return $container->privates['debug.security.firewall.authenticator.login'];
- }
-
- return $container->privates['debug.security.firewall.authenticator.login'] = new \Symfony\Component\Security\Http\Authenticator\Debug\TraceableAuthenticatorManagerListener(new \Symfony\Component\Security\Http\Firewall\AuthenticatorManagerListener($a));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_MainService.php b/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_MainService.php
deleted file mode 100644
index eaf6c726..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Firewall_Authenticator_MainService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['debug.security.firewall.authenticator.main'] = new \Symfony\Component\Security\Http\Authenticator\Debug\TraceableAuthenticatorManagerListener(new \Symfony\Component\Security\Http\Firewall\AuthenticatorManagerListener(($container->privates['security.authenticator.manager.main'] ?? $container->load('getSecurity_Authenticator_Manager_MainService'))));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Voter_VoteListenerService.php b/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Voter_VoteListenerService.php
deleted file mode 100644
index 317c69d1..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDebug_Security_Voter_VoteListenerService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['debug.security.access.decision_manager'] ?? self::getDebug_Security_Access_DecisionManagerService($container));
-
- if (isset($container->privates['debug.security.voter.vote_listener'])) {
- return $container->privates['debug.security.voter.vote_listener'];
- }
-
- return $container->privates['debug.security.voter.vote_listener'] = new \Symfony\Bundle\SecurityBundle\EventListener\VoteListener($a);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_CurrentCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_CurrentCommandService.php
deleted file mode 100644
index 05702c4a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_CurrentCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.current_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\CurrentCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:current');
-
- $instance->setName('doctrine:migrations:current');
- $instance->setDescription('Outputs the current version');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_DiffCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_DiffCommandService.php
deleted file mode 100644
index dbed98f2..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_DiffCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.diff_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\DiffCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:diff');
-
- $instance->setName('doctrine:migrations:diff');
- $instance->setDescription('Generate a migration by comparing your current database to your mapping information.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_DumpSchemaCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_DumpSchemaCommandService.php
deleted file mode 100644
index 85cff1e2..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_DumpSchemaCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.dump_schema_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\DumpSchemaCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:dump-schema');
-
- $instance->setName('doctrine:migrations:dump-schema');
- $instance->setDescription('Dump the schema for your database to a migration.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_ExecuteCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_ExecuteCommandService.php
deleted file mode 100644
index 6fe2a505..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_ExecuteCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.execute_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\ExecuteCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:execute');
-
- $instance->setName('doctrine:migrations:execute');
- $instance->setDescription('Execute one or more migration versions up or down manually.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_GenerateCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_GenerateCommandService.php
deleted file mode 100644
index ee9dec4e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_GenerateCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.generate_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\GenerateCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:generate');
-
- $instance->setName('doctrine:migrations:generate');
- $instance->setDescription('Generate a blank migration class.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_LatestCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_LatestCommandService.php
deleted file mode 100644
index cc73378c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_LatestCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.latest_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\LatestCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:latest');
-
- $instance->setName('doctrine:migrations:latest');
- $instance->setDescription('Outputs the latest version');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_MigrateCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_MigrateCommandService.php
deleted file mode 100644
index 95cf734c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_MigrateCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.migrate_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\MigrateCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:migrate');
-
- $instance->setName('doctrine:migrations:migrate');
- $instance->setDescription('Execute a migration to a specified version or the latest available version.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_RollupCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_RollupCommandService.php
deleted file mode 100644
index 5c5dd78e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_RollupCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.rollup_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\RollupCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:rollup');
-
- $instance->setName('doctrine:migrations:rollup');
- $instance->setDescription('Rollup migrations by deleting all tracked versions and insert the one version that exists.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_StatusCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_StatusCommandService.php
deleted file mode 100644
index 72bff4f3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_StatusCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.status_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\StatusCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:status');
-
- $instance->setName('doctrine:migrations:status');
- $instance->setDescription('View the status of a set of migrations.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_SyncMetadataCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_SyncMetadataCommandService.php
deleted file mode 100644
index cf7f651a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_SyncMetadataCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.sync_metadata_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\SyncMetadataCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:sync-metadata-storage');
-
- $instance->setName('doctrine:migrations:sync-metadata-storage');
- $instance->setDescription('Ensures that the metadata storage is at the latest version.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_UpToDateCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_UpToDateCommandService.php
deleted file mode 100644
index 302b4b79..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_UpToDateCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.up_to_date_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\UpToDateCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:up-to-date');
-
- $instance->setName('doctrine:migrations:up-to-date');
- $instance->setDescription('Tells you if your schema is up-to-date.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_VersionCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_VersionCommandService.php
deleted file mode 100644
index 1d07cbc6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_VersionCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.version_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\VersionCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:version');
-
- $instance->setName('doctrine:migrations:version');
- $instance->setDescription('Manually add and delete migration versions from the version table.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_VersionsCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_VersionsCommandService.php
deleted file mode 100644
index da871e0d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineMigrations_VersionsCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine_migrations.versions_command'] = $instance = new \Doctrine\Migrations\Tools\Console\Command\ListCommand(($container->privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService')), 'doctrine:migrations:versions');
-
- $instance->setName('doctrine:migrations:list');
- $instance->setDescription('Display a list of all available migrations and their status.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrineService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrineService.php
deleted file mode 100644
index a4354ffe..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrineService.php
+++ /dev/null
@@ -1,29 +0,0 @@
-services['doctrine'] = new \Doctrine\Bundle\DoctrineBundle\Registry($container, $container->parameters['doctrine.connections'], $container->parameters['doctrine.entity_managers'], 'default', 'default');
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearMetadataCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearMetadataCommandService.php
deleted file mode 100644
index 1da13f68..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearMetadataCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.cache_clear_metadata_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\ClearCache\MetadataCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:cache:clear-metadata');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearQueryCacheCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearQueryCacheCommandService.php
deleted file mode 100644
index ba7f6e85..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearQueryCacheCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.cache_clear_query_cache_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\ClearCache\QueryCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:cache:clear-query');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearResultCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearResultCommandService.php
deleted file mode 100644
index e00861b7..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheClearResultCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.cache_clear_result_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\ClearCache\ResultCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:cache:clear-result');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheCollectionRegionCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheCollectionRegionCommandService.php
deleted file mode 100644
index f79f58b5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_CacheCollectionRegionCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.cache_collection_region_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\ClearCache\CollectionRegionCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:cache:clear-collection-region');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_ClearEntityRegionCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_ClearEntityRegionCommandService.php
deleted file mode 100644
index 0104073f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_ClearEntityRegionCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.clear_entity_region_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\ClearCache\EntityRegionCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:cache:clear-entity-region');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_ClearQueryRegionCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_ClearQueryRegionCommandService.php
deleted file mode 100644
index 51e8a50f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_ClearQueryRegionCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.clear_query_region_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\ClearCache\QueryRegionCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:cache:clear-query-region');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_DatabaseCreateCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_DatabaseCreateCommandService.php
deleted file mode 100644
index 21fdc379..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_DatabaseCreateCommandService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['doctrine.database_create_command'] = $instance = new \Doctrine\Bundle\DoctrineBundle\Command\CreateDatabaseDoctrineCommand(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
-
- $instance->setName('doctrine:database:create');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_DatabaseDropCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_DatabaseDropCommandService.php
deleted file mode 100644
index c5ef52b4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_DatabaseDropCommandService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['doctrine.database_drop_command'] = $instance = new \Doctrine\Bundle\DoctrineBundle\Command\DropDatabaseDoctrineCommand(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
-
- $instance->setName('doctrine:database:drop');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Dbal_DefaultConnectionService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Dbal_DefaultConnectionService.php
deleted file mode 100644
index 0d5b6a2f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Dbal_DefaultConnectionService.php
+++ /dev/null
@@ -1,43 +0,0 @@
-privates['doctrine.debug_data_holder'] ??= new \Doctrine\Bundle\DoctrineBundle\Middleware\BacktraceDebugDataHolder($container->parameters['nelmio_api_doc.areas'])), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- $b->setConnectionName('default');
-
- $a->setSchemaManagerFactory(new \Doctrine\DBAL\Schema\LegacySchemaManagerFactory());
- $a->setMiddlewares([$b]);
-
- return $container->services['doctrine.dbal.default_connection'] = (new \Doctrine\Bundle\DoctrineBundle\ConnectionFactory([], new \Doctrine\DBAL\Tools\DsnParser(['db2' => 'ibm_db2', 'mssql' => 'pdo_sqlsrv', 'mysql' => 'pdo_mysql', 'mysql2' => 'pdo_mysql', 'postgres' => 'pdo_pgsql', 'postgresql' => 'pdo_pgsql', 'pgsql' => 'pdo_pgsql', 'sqlite' => 'pdo_sqlite', 'sqlite3' => 'pdo_sqlite'])))->createConnection(['url' => 'mysql://root:root@localhost:3307/la_liga?serverVersion=7.4.16&charset=utf8mb4', 'driver' => 'pdo_mysql', 'host' => 'localhost', 'port' => NULL, 'user' => 'root', 'password' => NULL, 'driverOptions' => [], 'defaultTableOptions' => []], $a, ($container->privates['doctrine.dbal.default_connection.event_manager'] ?? $container->load('getDoctrine_Dbal_DefaultConnection_EventManagerService')), []);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Dbal_DefaultConnection_EventManagerService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Dbal_DefaultConnection_EventManagerService.php
deleted file mode 100644
index 2642a5d6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Dbal_DefaultConnection_EventManagerService.php
+++ /dev/null
@@ -1,38 +0,0 @@
-privates['doctrine.dbal.default_connection.event_manager'] = new \Symfony\Bridge\Doctrine\ContainerAwareEventManager(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'doctrine.orm.default_listeners.attach_entity_listeners' => ['privates', 'doctrine.orm.default_listeners.attach_entity_listeners', 'getDoctrine_Orm_DefaultListeners_AttachEntityListenersService', true],
- 'doctrine.orm.listeners.doctrine_dbal_cache_adapter_schema_listener' => ['privates', 'doctrine.orm.listeners.doctrine_dbal_cache_adapter_schema_listener', 'getDoctrine_Orm_Listeners_DoctrineDbalCacheAdapterSchemaListenerService', true],
- 'doctrine.orm.listeners.doctrine_token_provider_schema_listener' => ['privates', 'doctrine.orm.listeners.doctrine_token_provider_schema_listener', 'getDoctrine_Orm_Listeners_DoctrineTokenProviderSchemaListenerService', true],
- 'doctrine.orm.listeners.lock_store_schema_listener' => ['privates', 'doctrine.orm.listeners.lock_store_schema_listener', 'getDoctrine_Orm_Listeners_LockStoreSchemaListenerService', true],
- 'doctrine.orm.listeners.pdo_session_handler_schema_listener' => ['privates', 'doctrine.orm.listeners.pdo_session_handler_schema_listener', 'getDoctrine_Orm_Listeners_PdoSessionHandlerSchemaListenerService', true],
- ], [
- 'doctrine.orm.default_listeners.attach_entity_listeners' => '?',
- 'doctrine.orm.listeners.doctrine_dbal_cache_adapter_schema_listener' => '?',
- 'doctrine.orm.listeners.doctrine_token_provider_schema_listener' => '?',
- 'doctrine.orm.listeners.lock_store_schema_listener' => '?',
- 'doctrine.orm.listeners.pdo_session_handler_schema_listener' => '?',
- ]), [[['postGenerateSchema'], 'doctrine.orm.listeners.doctrine_dbal_cache_adapter_schema_listener'], [['postGenerateSchema'], 'doctrine.orm.listeners.doctrine_token_provider_schema_listener'], [['postGenerateSchema'], 'doctrine.orm.listeners.pdo_session_handler_schema_listener'], [['postGenerateSchema'], 'doctrine.orm.listeners.lock_store_schema_listener'], [['loadClassMetadata'], 'doctrine.orm.default_listeners.attach_entity_listeners']]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_EnsureProductionSettingsCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_EnsureProductionSettingsCommandService.php
deleted file mode 100644
index 612018bd..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_EnsureProductionSettingsCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.ensure_production_settings_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\EnsureProductionSettingsCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:ensure-production-settings');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingConvertCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingConvertCommandService.php
deleted file mode 100644
index 6b0e2826..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingConvertCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.mapping_convert_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\ConvertMappingCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:mapping:convert');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingImportCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingImportCommandService.php
deleted file mode 100644
index 2e0e5314..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingImportCommandService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['doctrine.mapping_import_command'] = $instance = new \Doctrine\Bundle\DoctrineBundle\Command\ImportMappingDoctrineCommand(($container->services['doctrine'] ?? $container->load('getDoctrineService')), $container->parameters['kernel.bundles']);
-
- $instance->setName('doctrine:mapping:import');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingInfoCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingInfoCommandService.php
deleted file mode 100644
index 827d215a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_MappingInfoCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.mapping_info_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\InfoCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:mapping:info');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Migrations_ContainerAwareMigrationsFactoryService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Migrations_ContainerAwareMigrationsFactoryService.php
deleted file mode 100644
index 86c1b90c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Migrations_ContainerAwareMigrationsFactoryService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.migrations.dependency_factory'] ?? $container->load('getDoctrine_Migrations_DependencyFactoryService'));
-
- if (isset($container->privates['doctrine.migrations.container_aware_migrations_factory'])) {
- return $container->privates['doctrine.migrations.container_aware_migrations_factory'];
- }
-
- return $container->privates['doctrine.migrations.container_aware_migrations_factory'] = new \Doctrine\Bundle\MigrationsBundle\MigrationsFactory\ContainerAwareMigrationFactory($a->getMigrationFactory(), $container);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Migrations_DependencyFactoryService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Migrations_DependencyFactoryService.php
deleted file mode 100644
index c9bbc504..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Migrations_DependencyFactoryService.php
+++ /dev/null
@@ -1,43 +0,0 @@
-addMigrationsDirectory('DoctrineMigrations', (\dirname(__DIR__, 4).'/migrations'));
- $a->setAllOrNothing(false);
- $a->setCheckDatabasePlatform(true);
- $a->setTransactional(true);
- $a->setMetadataStorageConfiguration(new \Doctrine\Migrations\Metadata\Storage\TableMetadataStorageConfiguration());
-
- $container->privates['doctrine.migrations.dependency_factory'] = $instance = \Doctrine\Migrations\DependencyFactory::fromEntityManager(new \Doctrine\Migrations\Configuration\Migration\ExistingConfiguration($a), \Doctrine\Migrations\Configuration\EntityManager\ManagerRegistryEntityManager::withSimpleDefault(($container->services['doctrine'] ?? $container->load('getDoctrineService'))), ($container->privates['logger'] ?? self::getLoggerService($container)));
-
- $instance->setDefinition('Doctrine\\Migrations\\Version\\MigrationFactory', #[\Closure(name: 'doctrine.migrations.container_aware_migrations_factory', class: 'Doctrine\\Bundle\\MigrationsBundle\\MigrationsFactory\\ContainerAwareMigrationFactory')] fn () => ($container->privates['doctrine.migrations.container_aware_migrations_factory'] ?? $container->load('getDoctrine_Migrations_ContainerAwareMigrationsFactoryService')));
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Command_EntityManagerProviderService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Command_EntityManagerProviderService.php
deleted file mode 100644
index a656e930..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Command_EntityManagerProviderService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['doctrine.orm.command.entity_manager_provider'] = new \Doctrine\Bundle\DoctrineBundle\Orm\ManagerRegistryAwareEntityManagerProvider(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultEntityManagerService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultEntityManagerService.php
deleted file mode 100644
index 7db5f72d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultEntityManagerService.php
+++ /dev/null
@@ -1,119 +0,0 @@
-services['doctrine.orm.default_entity_manager'] = $container->createProxy('EntityManagerGhostAd02211', static fn () => \EntityManagerGhostAd02211::createLazyGhost(static fn ($proxy) => self::do($container, $proxy)));
- }
-
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'common'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Proxy'.\DIRECTORY_SEPARATOR.'Autoloader.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Proxy'.\DIRECTORY_SEPARATOR.'Autoloader.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'persistence'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Persistence'.\DIRECTORY_SEPARATOR.'ObjectManager.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'EntityManagerInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'EntityManager.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'dbal'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Configuration.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Configuration.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'psr'.\DIRECTORY_SEPARATOR.'cache'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'CacheItemPoolInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'cache'.\DIRECTORY_SEPARATOR.'Adapter'.\DIRECTORY_SEPARATOR.'AdapterInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'cache-contracts'.\DIRECTORY_SEPARATOR.'CacheInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'psr'.\DIRECTORY_SEPARATOR.'log'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'LoggerAwareInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'cache'.\DIRECTORY_SEPARATOR.'ResettableInterface.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'psr'.\DIRECTORY_SEPARATOR.'log'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'LoggerAwareTrait.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'cache'.\DIRECTORY_SEPARATOR.'Adapter'.\DIRECTORY_SEPARATOR.'ArrayAdapter.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'persistence'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Persistence'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'Driver'.\DIRECTORY_SEPARATOR.'MappingDriver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'MappingDriver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'persistence'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Persistence'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'Driver'.\DIRECTORY_SEPARATOR.'MappingDriverChain.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'NamingStrategy.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'UnderscoreNamingStrategy.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'QuoteStrategy.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Internal'.\DIRECTORY_SEPARATOR.'SQLResultCasing.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'DefaultQuoteStrategy.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'EntityListenerResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'EntityListenerServiceResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'ContainerEntityListenerResolver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Repository'.\DIRECTORY_SEPARATOR.'RepositoryFactory.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle'.\DIRECTORY_SEPARATOR.'Repository'.\DIRECTORY_SEPARATOR.'RepositoryFactoryCompatibility.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle'.\DIRECTORY_SEPARATOR.'Repository'.\DIRECTORY_SEPARATOR.'ContainerRepositoryFactory.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle'.\DIRECTORY_SEPARATOR.'ManagerConfigurator.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'Driver'.\DIRECTORY_SEPARATOR.'CompatibilityAnnotationDriver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'persistence'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Persistence'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'Driver'.\DIRECTORY_SEPARATOR.'ColocatedMappingDriver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'Driver'.\DIRECTORY_SEPARATOR.'ReflectionBasedDriver.php';
- include_once \dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'orm'.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Mapping'.\DIRECTORY_SEPARATOR.'Driver'.\DIRECTORY_SEPARATOR.'AttributeDriver.php';
-
- $a = new \Doctrine\ORM\Configuration();
-
- $b = new \Doctrine\Persistence\Mapping\Driver\MappingDriverChain();
- $b->addDriver(($container->privates['doctrine.orm.default_attribute_metadata_driver'] ??= new \Doctrine\ORM\Mapping\Driver\AttributeDriver([(\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Entity')], true)), 'DMD\\LaLigaApi\\Entity');
-
- $a->setEntityNamespaces(['App' => 'DMD\\LaLigaApi\\Entity']);
- $a->setMetadataCache(new \Symfony\Component\Cache\Adapter\ArrayAdapter());
- $a->setQueryCache(($container->privates['cache.doctrine.orm.default.query'] ??= new \Symfony\Component\Cache\Adapter\ArrayAdapter()));
- $a->setResultCache(($container->privates['cache.doctrine.orm.default.result'] ??= new \Symfony\Component\Cache\Adapter\ArrayAdapter()));
- $a->setMetadataDriverImpl(new \Doctrine\Bundle\DoctrineBundle\Mapping\MappingDriver($b, new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'doctrine.ulid_generator' => ['privates', 'doctrine.ulid_generator', 'getDoctrine_UlidGeneratorService', true],
- 'doctrine.uuid_generator' => ['privates', 'doctrine.uuid_generator', 'getDoctrine_UuidGeneratorService', true],
- ], [
- 'doctrine.ulid_generator' => '?',
- 'doctrine.uuid_generator' => '?',
- ])));
- $a->setProxyDir(($container->targetDir.''.'/doctrine/orm/Proxies'));
- $a->setProxyNamespace('Proxies');
- $a->setAutoGenerateProxyClasses(false);
- $a->setSchemaIgnoreClasses([]);
- $a->setClassMetadataFactoryName('Doctrine\\Bundle\\DoctrineBundle\\Mapping\\ClassMetadataFactory');
- $a->setDefaultRepositoryClassName('Doctrine\\ORM\\EntityRepository');
- $a->setNamingStrategy(new \Doctrine\ORM\Mapping\UnderscoreNamingStrategy(0, true));
- $a->setQuoteStrategy(new \Doctrine\ORM\Mapping\DefaultQuoteStrategy());
- $a->setEntityListenerResolver(new \Doctrine\Bundle\DoctrineBundle\Mapping\ContainerEntityListenerResolver($container));
- $a->setLazyGhostObjectEnabled(true);
- $a->setRepositoryFactory(new \Doctrine\Bundle\DoctrineBundle\Repository\ContainerRepositoryFactory(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'DMD\\LaLigaApi\\Repository\\CustomRoleRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\CustomRoleRepository', 'getCustomRoleRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\FacilityRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\FacilityRepository', 'getFacilityRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\FileRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\FileRepository', 'getFileRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\GameRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\GameRepository', 'getGameRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\LeagueRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\LeagueRepository', 'getLeagueRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\LogRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\LogRepository', 'getLogRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\NotificationRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\NotificationRepository', 'getNotificationRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\PlayerRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\PlayerRepository', 'getPlayerRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\SeasonDataRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\SeasonDataRepository', 'getSeasonDataRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\SeasonRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\SeasonRepository', 'getSeasonRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\TeamRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\TeamRepository', 'getTeamRepositoryService', true],
- 'DMD\\LaLigaApi\\Repository\\UserRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\UserRepository', 'getUserRepositoryService', true],
- ], [
- 'DMD\\LaLigaApi\\Repository\\CustomRoleRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\FacilityRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\FileRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\GameRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\LeagueRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\LogRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\NotificationRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\PlayerRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\SeasonDataRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\SeasonRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\TeamRepository' => '?',
- 'DMD\\LaLigaApi\\Repository\\UserRepository' => '?',
- ])));
-
- $instance = ($lazyLoad->__construct(($container->services['doctrine.dbal.default_connection'] ?? $container->load('getDoctrine_Dbal_DefaultConnectionService')), $a, ($container->privates['doctrine.dbal.default_connection.event_manager'] ?? $container->load('getDoctrine_Dbal_DefaultConnection_EventManagerService'))) && false ?: $lazyLoad);
-
- (new \Doctrine\Bundle\DoctrineBundle\ManagerConfigurator([], []))->configure($instance);
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultEntityManager_PropertyInfoExtractorService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultEntityManager_PropertyInfoExtractorService.php
deleted file mode 100644
index e74f21c6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultEntityManager_PropertyInfoExtractorService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['doctrine.orm.default_entity_manager.property_info_extractor'] = new \Symfony\Bridge\Doctrine\PropertyInfo\DoctrineExtractor(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultListeners_AttachEntityListenersService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultListeners_AttachEntityListenersService.php
deleted file mode 100644
index 93fc1b53..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_DefaultListeners_AttachEntityListenersService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['doctrine.orm.default_listeners.attach_entity_listeners'] = new \Doctrine\ORM\Tools\AttachEntityListenersListener();
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_DoctrineDbalCacheAdapterSchemaListenerService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_DoctrineDbalCacheAdapterSchemaListenerService.php
deleted file mode 100644
index 32865954..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_DoctrineDbalCacheAdapterSchemaListenerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['doctrine.orm.listeners.doctrine_dbal_cache_adapter_schema_listener'] = new \Symfony\Bridge\Doctrine\SchemaListener\DoctrineDbalCacheAdapterSchemaListener([]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_DoctrineTokenProviderSchemaListenerService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_DoctrineTokenProviderSchemaListenerService.php
deleted file mode 100644
index e614d177..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_DoctrineTokenProviderSchemaListenerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['doctrine.orm.listeners.doctrine_token_provider_schema_listener'] = new \Symfony\Bridge\Doctrine\SchemaListener\RememberMeTokenProviderDoctrineSchemaListener(new RewindableGenerator(fn () => new \EmptyIterator(), 0));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_LockStoreSchemaListenerService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_LockStoreSchemaListenerService.php
deleted file mode 100644
index 203e06f4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_LockStoreSchemaListenerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['doctrine.orm.listeners.lock_store_schema_listener'] = new \Symfony\Bridge\Doctrine\SchemaListener\LockStoreSchemaListener(new RewindableGenerator(fn () => new \EmptyIterator(), 0));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_PdoSessionHandlerSchemaListenerService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_PdoSessionHandlerSchemaListenerService.php
deleted file mode 100644
index 9cdd9740..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Listeners_PdoSessionHandlerSchemaListenerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['doctrine.orm.listeners.pdo_session_handler_schema_listener'] = new \Symfony\Bridge\Doctrine\SchemaListener\PdoSessionHandlerSchemaListener(($container->privates['session.handler.native'] ?? $container->load('getSession_Handler_NativeService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_ProxyCacheWarmerService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_ProxyCacheWarmerService.php
deleted file mode 100644
index 9dd8b835..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_ProxyCacheWarmerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['doctrine.orm.proxy_cache_warmer'] = new \Symfony\Bridge\Doctrine\CacheWarmer\ProxyCacheWarmer(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Validator_UniqueService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Validator_UniqueService.php
deleted file mode 100644
index fe49f952..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_Orm_Validator_UniqueService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['doctrine.orm.validator.unique'] = new \Symfony\Bridge\Doctrine\Validator\Constraints\UniqueEntityValidator(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_QueryDqlCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_QueryDqlCommandService.php
deleted file mode 100644
index 0584880a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_QueryDqlCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.query_dql_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\RunDqlCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:query:dql');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_QuerySqlCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_QuerySqlCommandService.php
deleted file mode 100644
index a9be5b36..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_QuerySqlCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.query_sql_command'] = $instance = new \Doctrine\Bundle\DoctrineBundle\Command\Proxy\RunSqlDoctrineCommand(($container->privates['Doctrine\\Bundle\\DoctrineBundle\\Dbal\\ManagerRegistryAwareConnectionProvider'] ?? $container->load('getManagerRegistryAwareConnectionProviderService')));
-
- $instance->setName('doctrine:query:sql');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaCreateCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaCreateCommandService.php
deleted file mode 100644
index 212d16a6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaCreateCommandService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['doctrine.schema_create_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\SchemaTool\CreateCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:schema:create');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaDropCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaDropCommandService.php
deleted file mode 100644
index 5e68b965..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaDropCommandService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['doctrine.schema_drop_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\SchemaTool\DropCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:schema:drop');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaUpdateCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaUpdateCommandService.php
deleted file mode 100644
index 41506310..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaUpdateCommandService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['doctrine.schema_update_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\SchemaTool\UpdateCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:schema:update');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaValidateCommandService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaValidateCommandService.php
deleted file mode 100644
index 2e03c8fd..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_SchemaValidateCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['doctrine.schema_validate_command'] = $instance = new \Doctrine\ORM\Tools\Console\Command\ValidateSchemaCommand(($container->privates['doctrine.orm.command.entity_manager_provider'] ?? $container->load('getDoctrine_Orm_Command_EntityManagerProviderService')));
-
- $instance->setName('doctrine:schema:validate');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_UlidGeneratorService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_UlidGeneratorService.php
deleted file mode 100644
index 5fa75d8f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_UlidGeneratorService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['doctrine.ulid_generator'] = new \Symfony\Bridge\Doctrine\IdGenerator\UlidGenerator(NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getDoctrine_UuidGeneratorService.php b/var/cache/dev/ContainerDm8zrDD/getDoctrine_UuidGeneratorService.php
deleted file mode 100644
index 5d5cf555..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getDoctrine_UuidGeneratorService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['doctrine.uuid_generator'] = new \Symfony\Bridge\Doctrine\IdGenerator\UuidGenerator(NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getEmailSenderService.php b/var/cache/dev/ContainerDm8zrDD/getEmailSenderService.php
deleted file mode 100644
index 22720307..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getEmailSenderService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\Common\\EmailSender'] = new \DMD\LaLigaApi\Service\Common\EmailSender(($container->privates['mailer.mailer'] ?? $container->load('getMailer_MailerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getErrorControllerService.php b/var/cache/dev/ContainerDm8zrDD/getErrorControllerService.php
deleted file mode 100644
index 428b322e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getErrorControllerService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack());
-
- return $container->services['error_controller'] = new \Symfony\Component\HttpKernel\Controller\ErrorController(($container->services['http_kernel'] ?? self::getHttpKernelService($container)), 'error_controller', new \Symfony\Bridge\Twig\ErrorRenderer\TwigErrorRenderer(($container->privates['twig'] ?? $container->load('getTwigService')), new \Symfony\Component\ErrorHandler\ErrorRenderer\HtmlErrorRenderer(\Symfony\Component\ErrorHandler\ErrorRenderer\HtmlErrorRenderer::isDebug($a, true), 'UTF-8', ($container->privates['debug.file_link_formatter'] ??= new \Symfony\Component\HttpKernel\Debug\FileLinkFormatter($container->getEnv('default::SYMFONY_IDE'))), \dirname(__DIR__, 4), \Symfony\Component\ErrorHandler\ErrorRenderer\HtmlErrorRenderer::getAndCleanOutputBuffer($a), ($container->privates['logger'] ?? self::getLoggerService($container))), \Symfony\Bridge\Twig\ErrorRenderer\TwigErrorRenderer::isDebug($a, true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getExceptionListenerService.php b/var/cache/dev/ContainerDm8zrDD/getExceptionListenerService.php
deleted file mode 100644
index 8f011861..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getExceptionListenerService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Exception\\ExceptionListener'] = new \DMD\LaLigaApi\Exception\ExceptionListener(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getFacilityRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getFacilityRepositoryService.php
deleted file mode 100644
index e7a978ca..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getFacilityRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\FacilityRepository'] = new \DMD\LaLigaApi\Repository\FacilityRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getFileRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getFileRepositoryService.php
deleted file mode 100644
index ada1b54c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getFileRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\FileRepository'] = new \DMD\LaLigaApi\Repository\FileRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getFragment_Renderer_InlineService.php b/var/cache/dev/ContainerDm8zrDD/getFragment_Renderer_InlineService.php
deleted file mode 100644
index 432b7d1b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getFragment_Renderer_InlineService.php
+++ /dev/null
@@ -1,42 +0,0 @@
-services['http_kernel'] ?? self::getHttpKernelService($container));
-
- if (isset($container->privates['fragment.renderer.inline'])) {
- return $container->privates['fragment.renderer.inline'];
- }
- $b = ($container->services['event_dispatcher'] ?? self::getEventDispatcherService($container));
-
- if (isset($container->privates['fragment.renderer.inline'])) {
- return $container->privates['fragment.renderer.inline'];
- }
-
- $container->privates['fragment.renderer.inline'] = $instance = new \Symfony\Component\HttpKernel\Fragment\InlineFragmentRenderer($a, $b);
-
- $instance->setFragmentPath('/_fragment');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getGameRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getGameRepositoryService.php
deleted file mode 100644
index e4993bb9..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getGameRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\GameRepository'] = new \DMD\LaLigaApi\Repository\GameRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleAcceptJoinLeagueRequestService.php b/var/cache/dev/ContainerDm8zrDD/getHandleAcceptJoinLeagueRequestService.php
deleted file mode 100644
index 0d387d62..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleAcceptJoinLeagueRequestService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\League\\acceptJoinLeagueRequest\\HandleAcceptJoinLeagueRequest'] = new \DMD\LaLigaApi\Service\League\acceptJoinLeagueRequest\HandleAcceptJoinLeagueRequest(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest'] ?? $container->load('getAuthorizeRequestService')), ($container->privates['DMD\\LaLigaApi\\Repository\\UserRepository'] ?? $container->load('getUserRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\TeamRepository'] ?? $container->load('getTeamRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\EmailSender'] ?? $container->load('getEmailSenderService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleAddTeamService.php b/var/cache/dev/ContainerDm8zrDD/getHandleAddTeamService.php
deleted file mode 100644
index 9ae75619..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleAddTeamService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\Season\\addTeam\\HandleAddTeam'] = new \DMD\LaLigaApi\Service\Season\addTeam\HandleAddTeam(($container->privates['DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest'] ?? $container->load('getAuthorizeRequestService')), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\TeamFactory'] ??= new \DMD\LaLigaApi\Service\Common\TeamFactory()), ($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['DMD\\LaLigaApi\\Repository\\SeasonRepository'] ?? $container->load('getSeasonRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleCaptainRequestService.php b/var/cache/dev/ContainerDm8zrDD/getHandleCaptainRequestService.php
deleted file mode 100644
index e9c6eeb4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleCaptainRequestService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\League\\joinTeam\\HandleCaptainRequest'] = new \DMD\LaLigaApi\Service\League\joinTeam\HandleCaptainRequest(($container->privates['DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest'] ?? $container->load('getAuthorizeRequestService')), ($container->privates['DMD\\LaLigaApi\\Repository\\CustomRoleRepository'] ?? $container->load('getCustomRoleRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\TeamRepository'] ?? $container->load('getTeamRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\NotificationFactory'] ?? $container->load('getNotificationFactoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleCreateFacilitiesService.php b/var/cache/dev/ContainerDm8zrDD/getHandleCreateFacilitiesService.php
deleted file mode 100644
index 2cc44b1e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleCreateFacilitiesService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\Season\\createFacilities\\HandleCreateFacilities'] = new \DMD\LaLigaApi\Service\Season\createFacilities\HandleCreateFacilities(($container->privates['DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest'] ?? $container->load('getAuthorizeRequestService')), new \DMD\LaLigaApi\Service\Common\FacilityFactory(), ($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Repository\\UserRepository'] ?? $container->load('getUserRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\SeasonRepository'] ?? $container->load('getSeasonRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleCreateGameCalendarRequestService.php b/var/cache/dev/ContainerDm8zrDD/getHandleCreateGameCalendarRequestService.php
deleted file mode 100644
index be8e3e2a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleCreateGameCalendarRequestService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\Season\\createGameCalendar\\HandleCreateGameCalendarRequest'] = new \DMD\LaLigaApi\Service\Season\createGameCalendar\HandleCreateGameCalendarRequest(($container->privates['DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest'] ?? $container->load('getAuthorizeRequestService')), ($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\SeasonRepository'] ?? $container->load('getSeasonRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleCreateLeagueService.php b/var/cache/dev/ContainerDm8zrDD/getHandleCreateLeagueService.php
deleted file mode 100644
index f5cf9342..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleCreateLeagueService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\League\\createLeague\\HandleCreateLeague'] = new \DMD\LaLigaApi\Service\League\createLeague\HandleCreateLeague(($container->privates['DMD\\LaLigaApi\\Service\\League\\LeagueFactory'] ??= new \DMD\LaLigaApi\Service\League\LeagueFactory()), ($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Repository\\UserRepository'] ?? $container->load('getUserRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleCreateSeasonService.php b/var/cache/dev/ContainerDm8zrDD/getHandleCreateSeasonService.php
deleted file mode 100644
index 2bbc9446..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleCreateSeasonService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\Season\\createSeason\\HandleCreateSeason'] = new \DMD\LaLigaApi\Service\Season\createSeason\HandleCreateSeason(new \DMD\LaLigaApi\Service\Season\SeasonFactory(), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\TeamFactory'] ??= new \DMD\LaLigaApi\Service\Common\TeamFactory()), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest'] ?? $container->load('getAuthorizeRequestService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\SeasonRepository'] ?? $container->load('getSeasonRepositoryService')), ($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleDeclineJoinLeagueRequestService.php b/var/cache/dev/ContainerDm8zrDD/getHandleDeclineJoinLeagueRequestService.php
deleted file mode 100644
index 3c725689..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleDeclineJoinLeagueRequestService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\League\\declineJoinLeagueRequest\\HandleDeclineJoinLeagueRequest'] = new \DMD\LaLigaApi\Service\League\declineJoinLeagueRequest\HandleDeclineJoinLeagueRequest(($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Repository\\UserRepository'] ?? $container->load('getUserRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest'] ?? $container->load('getAuthorizeRequestService')), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\NotificationFactory'] ?? $container->load('getNotificationFactoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleDeleteUserService.php b/var/cache/dev/ContainerDm8zrDD/getHandleDeleteUserService.php
deleted file mode 100644
index 8a594575..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleDeleteUserService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\delete\\HandleDeleteUser'] = new \DMD\LaLigaApi\Service\User\Handlers\delete\HandleDeleteUser(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['DMD\\LaLigaApi\\Repository\\UserRepository'] ?? $container->load('getUserRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleGetAllFacilitiesService.php b/var/cache/dev/ContainerDm8zrDD/getHandleGetAllFacilitiesService.php
deleted file mode 100644
index f75bdbcf..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleGetAllFacilitiesService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\Season\\getAllFacilities\\HandleGetAllFacilities'] = new \DMD\LaLigaApi\Service\Season\getAllFacilities\HandleGetAllFacilities(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['DMD\\LaLigaApi\\Repository\\FacilityRepository'] ?? $container->load('getFacilityRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\SeasonRepository'] ?? $container->load('getSeasonRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleGetAllLeaguesService.php b/var/cache/dev/ContainerDm8zrDD/getHandleGetAllLeaguesService.php
deleted file mode 100644
index dfcec4b8..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleGetAllLeaguesService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\League\\getAllLeagues\\HandleGetAllLeagues'] = new \DMD\LaLigaApi\Service\League\getAllLeagues\HandleGetAllLeagues(($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleGetLeagueByIdService.php b/var/cache/dev/ContainerDm8zrDD/getHandleGetLeagueByIdService.php
deleted file mode 100644
index 198509b8..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleGetLeagueByIdService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\League\\getLeagueById\\HandleGetLeagueById'] = new \DMD\LaLigaApi\Service\League\getLeagueById\HandleGetLeagueById(($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleGetNotificationsService.php b/var/cache/dev/ContainerDm8zrDD/getHandleGetNotificationsService.php
deleted file mode 100644
index 237c515d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleGetNotificationsService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\getNotifications\\HandleGetNotifications'] = new \DMD\LaLigaApi\Service\User\Handlers\getNotifications\HandleGetNotifications(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['DMD\\LaLigaApi\\Repository\\NotificationRepository'] ?? $container->load('getNotificationRepositoryService')), ($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleGetUserRelationshipsService.php b/var/cache/dev/ContainerDm8zrDD/getHandleGetUserRelationshipsService.php
deleted file mode 100644
index 01c4b10c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleGetUserRelationshipsService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\getRelationships\\HandleGetUserRelationships'] = new \DMD\LaLigaApi\Service\User\Handlers\getRelationships\HandleGetUserRelationships(($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Repository\\CustomRoleRepository'] ?? $container->load('getCustomRoleRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleNewJoinLeagueRequestService.php b/var/cache/dev/ContainerDm8zrDD/getHandleNewJoinLeagueRequestService.php
deleted file mode 100644
index f2a3fb26..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleNewJoinLeagueRequestService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\League\\newJoinLeagueRequest\\HandleNewJoinLeagueRequest'] = new \DMD\LaLigaApi\Service\League\newJoinLeagueRequest\HandleNewJoinLeagueRequest(($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\NotificationFactory'] ?? $container->load('getNotificationFactoryService')), ($container->privates['mailer.mailer'] ?? $container->load('getMailer_MailerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleRegistrationService.php b/var/cache/dev/ContainerDm8zrDD/getHandleRegistrationService.php
deleted file mode 100644
index 54b049df..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleRegistrationService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\register\\HandleRegistration'] = new \DMD\LaLigaApi\Service\User\Handlers\register\HandleRegistration(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\UserSaver'] ?? $container->load('getUserSaverService')), ($container->privates['DMD\\LaLigaApi\\Repository\\UserRepository'] ?? $container->load('getUserRepositoryService')), ($container->services['lexik_jwt_authentication.jwt_manager'] ?? $container->load('getLexikJwtAuthentication_JwtManagerService')), ($container->privates['validator'] ?? $container->load('getValidatorService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleUpdateLeagueService.php b/var/cache/dev/ContainerDm8zrDD/getHandleUpdateLeagueService.php
deleted file mode 100644
index 0a94aad4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleUpdateLeagueService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\League\\updateLeague\\HandleUpdateLeague'] = new \DMD\LaLigaApi\Service\League\updateLeague\HandleUpdateLeague(($container->privates['DMD\\LaLigaApi\\Service\\League\\LeagueFactory'] ??= new \DMD\LaLigaApi\Service\League\LeagueFactory()), ($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Repository\\UserRepository'] ?? $container->load('getUserRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] ?? $container->load('getLeagueRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\CustomRoleRepository'] ?? $container->load('getCustomRoleRepositoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getHandleUpdateUserService.php b/var/cache/dev/ContainerDm8zrDD/getHandleUpdateUserService.php
deleted file mode 100644
index 2ace726d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getHandleUpdateUserService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\update\\HandleUpdateUser'] = new \DMD\LaLigaApi\Service\User\Handlers\update\HandleUpdateUser(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['security.helper'] ?? $container->load('getSecurity_HelperService')), ($container->privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\UserSaver'] ?? $container->load('getUserSaverService')), ($container->privates['DMD\\LaLigaApi\\Repository\\UserRepository'] ?? $container->load('getUserRepositoryService')), ($container->services['lexik_jwt_authentication.jwt_manager'] ?? $container->load('getLexikJwtAuthentication_JwtManagerService')), ($container->privates['validator'] ?? $container->load('getValidatorService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLeagueControllerService.php b/var/cache/dev/ContainerDm8zrDD/getLeagueControllerService.php
deleted file mode 100644
index cf29005c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLeagueControllerService.php
+++ /dev/null
@@ -1,30 +0,0 @@
-services['DMD\\LaLigaApi\\Controller\\LeagueController'] = $instance = new \DMD\LaLigaApi\Controller\LeagueController();
-
- $instance->setContainer(($container->privates['.service_locator.O2p6Lk7'] ?? $container->load('get_ServiceLocator_O2p6Lk7Service'))->withContext('DMD\\LaLigaApi\\Controller\\LeagueController', $container));
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLeagueRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getLeagueRepositoryService.php
deleted file mode 100644
index aa89843f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLeagueRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\LeagueRepository'] = new \DMD\LaLigaApi\Repository\LeagueRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_CheckConfigCommandService.php b/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_CheckConfigCommandService.php
deleted file mode 100644
index 6c46c541..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_CheckConfigCommandService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['lexik_jwt_authentication.check_config_command'] = $instance = new \Lexik\Bundle\JWTAuthenticationBundle\Command\CheckConfigCommand(($container->services['lexik_jwt_authentication.key_loader'] ?? $container->load('getLexikJwtAuthentication_KeyLoaderService')), 'RS256');
-
- $instance->setName('lexik:jwt:check-config');
- $instance->setDescription('Checks that the bundle is properly configured.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_EnableEncryptionConfigCommandService.php b/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_EnableEncryptionConfigCommandService.php
deleted file mode 100644
index 0684ad9f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_EnableEncryptionConfigCommandService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-privates['lexik_jwt_authentication.enable_encryption_config_command'] = $instance = new \Lexik\Bundle\JWTAuthenticationBundle\Command\EnableEncryptionConfigCommand(NULL);
-
- $instance->setName('lexik:jwt:enable-encryption');
- $instance->setDescription('Enable Web-Token encryption support.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_EncoderService.php b/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_EncoderService.php
deleted file mode 100644
index 4dd31d55..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_EncoderService.php
+++ /dev/null
@@ -1,29 +0,0 @@
-services['lexik_jwt_authentication.encoder'] = new \Lexik\Bundle\JWTAuthenticationBundle\Encoder\LcobucciJWTEncoder(new \Lexik\Bundle\JWTAuthenticationBundle\Services\JWSProvider\LcobucciJWSProvider(($container->services['lexik_jwt_authentication.key_loader'] ?? $container->load('getLexikJwtAuthentication_KeyLoaderService')), 'openssl', 'RS256', 18000, 0, false));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_GenerateKeypairCommandService.php b/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_GenerateKeypairCommandService.php
deleted file mode 100644
index f965c707..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_GenerateKeypairCommandService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['lexik_jwt_authentication.generate_keypair_command'] = $instance = new \Lexik\Bundle\JWTAuthenticationBundle\Command\GenerateKeyPairCommand(($container->privates['filesystem'] ??= new \Symfony\Component\Filesystem\Filesystem()), $container->getEnv('resolve:JWT_SECRET_KEY'), $container->getEnv('resolve:JWT_PUBLIC_KEY'), $container->getEnv('JWT_PASSPHRASE'), 'RS256');
-
- $instance->setName('lexik:jwt:generate-keypair');
- $instance->setDescription('Generate public/private keys for use in your application.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_GenerateTokenCommandService.php b/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_GenerateTokenCommandService.php
deleted file mode 100644
index a914804b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_GenerateTokenCommandService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-services['lexik_jwt_authentication.generate_token_command'] = $instance = new \Lexik\Bundle\JWTAuthenticationBundle\Command\GenerateTokenCommand(($container->services['lexik_jwt_authentication.jwt_manager'] ?? $container->load('getLexikJwtAuthentication_JwtManagerService')), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['security.user.provider.concrete.app_user_provider'] ?? $container->load('getSecurity_User_Provider_Concrete_AppUserProviderService'));
- }, 1));
-
- $instance->setName('lexik:jwt:generate-token');
- $instance->setDescription('Generates a JWT token for a given user.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_JwtManagerService.php b/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_JwtManagerService.php
deleted file mode 100644
index f2a46068..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_JwtManagerService.php
+++ /dev/null
@@ -1,37 +0,0 @@
-services['event_dispatcher'] ?? self::getEventDispatcherService($container));
-
- if (isset($container->services['lexik_jwt_authentication.jwt_manager'])) {
- return $container->services['lexik_jwt_authentication.jwt_manager'];
- }
-
- $container->services['lexik_jwt_authentication.jwt_manager'] = $instance = new \Lexik\Bundle\JWTAuthenticationBundle\Services\JWTManager(($container->services['lexik_jwt_authentication.encoder'] ?? $container->load('getLexikJwtAuthentication_EncoderService')), $a, 'username');
-
- $instance->setUserIdentityField('username', false);
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_KeyLoaderService.php b/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_KeyLoaderService.php
deleted file mode 100644
index 3ca3d445..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_KeyLoaderService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-services['lexik_jwt_authentication.key_loader'] = new \Lexik\Bundle\JWTAuthenticationBundle\Services\KeyLoader\RawKeyLoader($container->getEnv('resolve:JWT_SECRET_KEY'), $container->getEnv('resolve:JWT_PUBLIC_KEY'), $container->getEnv('JWT_PASSPHRASE'), []);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_MigrateConfigCommandService.php b/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_MigrateConfigCommandService.php
deleted file mode 100644
index ab69f6a3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLexikJwtAuthentication_MigrateConfigCommandService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-privates['lexik_jwt_authentication.migrate_config_command'] = $instance = new \Lexik\Bundle\JWTAuthenticationBundle\Command\MigrateConfigCommand(($container->services['lexik_jwt_authentication.key_loader'] ?? $container->load('getLexikJwtAuthentication_KeyLoaderService')), $container->getEnv('JWT_PASSPHRASE'), 'RS256');
-
- $instance->setName('lexik:jwt:migrate-config');
- $instance->setDescription('Migrate LexikJWTAuthenticationBundle configuration to the Web-Token one.');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getLoaderInterfaceService.php b/var/cache/dev/ContainerDm8zrDD/getLoaderInterfaceService.php
deleted file mode 100644
index 4abace79..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getLoaderInterfaceService.php
+++ /dev/null
@@ -1,23 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\LogRepository'] = new \DMD\LaLigaApi\Repository\LogRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMailer_MailerService.php b/var/cache/dev/ContainerDm8zrDD/getMailer_MailerService.php
deleted file mode 100644
index ee0f1baa..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMailer_MailerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['mailer.mailer'] = new \Symfony\Component\Mailer\Mailer(($container->privates['mailer.transports'] ?? $container->load('getMailer_TransportsService')), NULL, ($container->services['event_dispatcher'] ?? self::getEventDispatcherService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_NativeService.php b/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_NativeService.php
deleted file mode 100644
index 86407758..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_NativeService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-services['event_dispatcher'] ?? self::getEventDispatcherService($container)), NULL, ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_NullService.php b/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_NullService.php
deleted file mode 100644
index fe8eb715..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_NullService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-services['event_dispatcher'] ?? self::getEventDispatcherService($container)), NULL, ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_SendmailService.php b/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_SendmailService.php
deleted file mode 100644
index de2b2a43..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_SendmailService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-services['event_dispatcher'] ?? self::getEventDispatcherService($container)), NULL, ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_SmtpService.php b/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_SmtpService.php
deleted file mode 100644
index e04afd51..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportFactory_SmtpService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-services['event_dispatcher'] ?? self::getEventDispatcherService($container)), NULL, ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportsService.php b/var/cache/dev/ContainerDm8zrDD/getMailer_TransportsService.php
deleted file mode 100644
index 01ca02ac..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMailer_TransportsService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['mailer.transports'] = (new \Symfony\Component\Mailer\Transport(new RewindableGenerator(function () use ($container) {
- yield 0 => $container->load('getMailer_TransportFactory_NullService');
- yield 1 => $container->load('getMailer_TransportFactory_SendmailService');
- yield 2 => $container->load('getMailer_TransportFactory_NativeService');
- yield 3 => $container->load('getMailer_TransportFactory_SmtpService');
- }, 4)))->fromStrings(['main' => 'smtp://soporteliga:dmdlakers06@localhost:8025?verify_peer=0']);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeAuthService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeAuthService.php
deleted file mode 100644
index f79a9d3b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeAuthService.php
+++ /dev/null
@@ -1,40 +0,0 @@
-privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService'));
- $b = ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService'));
-
- $container->privates['maker.auto_command.make_auth'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeAuthenticator($a, ($container->privates['maker.security_config_updater'] ??= new \Symfony\Bundle\MakerBundle\Security\SecurityConfigUpdater()), $b, ($container->privates['maker.doctrine_helper'] ?? $container->load('getMaker_DoctrineHelperService')), ($container->privates['maker.security_controller_builder'] ??= new \Symfony\Bundle\MakerBundle\Security\SecurityControllerBuilder())), $a, $b, ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:auth');
- $instance->setDescription('Create a Guard authenticator of different flavors');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeCommandService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeCommandService.php
deleted file mode 100644
index e35a86f4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeCommandService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_command'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeCommand(($container->privates['maker.php_compat_util'] ?? $container->load('getMaker_PhpCompatUtilService'))), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:command');
- $instance->setDescription('Create a new console command class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeControllerService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeControllerService.php
deleted file mode 100644
index a4bbd16c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeControllerService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_controller'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeController(($container->privates['maker.php_compat_util'] ?? $container->load('getMaker_PhpCompatUtilService'))), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:controller');
- $instance->setDescription('Create a new controller class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeCrudService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeCrudService.php
deleted file mode 100644
index da9f0c9d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeCrudService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_crud'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeCrud(($container->privates['maker.doctrine_helper'] ?? $container->load('getMaker_DoctrineHelperService')), ($container->privates['maker.renderer.form_type_renderer'] ?? $container->load('getMaker_Renderer_FormTypeRendererService'))), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:crud');
- $instance->setDescription('Create CRUD for Doctrine entity class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeDockerDatabaseService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeDockerDatabaseService.php
deleted file mode 100644
index 5e251aab..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeDockerDatabaseService.php
+++ /dev/null
@@ -1,37 +0,0 @@
-privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService'));
-
- $container->privates['maker.auto_command.make_docker_database'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeDockerDatabase($a), $a, ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:docker:database');
- $instance->setDescription('Add a database container to your compose.yaml file');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeEntityService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeEntityService.php
deleted file mode 100644
index c3e15b3c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeEntityService.php
+++ /dev/null
@@ -1,39 +0,0 @@
-privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService'));
- $b = ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService'));
-
- $container->privates['maker.auto_command.make_entity'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeEntity($a, ($container->privates['maker.doctrine_helper'] ?? $container->load('getMaker_DoctrineHelperService')), NULL, $b, ($container->privates['maker.entity_class_generator'] ?? $container->load('getMaker_EntityClassGeneratorService')), ($container->privates['maker.php_compat_util'] ?? $container->load('getMaker_PhpCompatUtilService'))), $a, $b, ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:entity');
- $instance->setDescription('Create or update a Doctrine entity class, and optionally an API Platform resource');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeFixturesService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeFixturesService.php
deleted file mode 100644
index bbe09812..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeFixturesService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_fixtures'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeFixtures(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:fixtures');
- $instance->setDescription('Create a new class to load Doctrine fixtures');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeFormService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeFormService.php
deleted file mode 100644
index 78ccf24b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeFormService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_form'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeForm(($container->privates['maker.doctrine_helper'] ?? $container->load('getMaker_DoctrineHelperService')), ($container->privates['maker.renderer.form_type_renderer'] ?? $container->load('getMaker_Renderer_FormTypeRendererService'))), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:form');
- $instance->setDescription('Create a new form class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeListenerService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeListenerService.php
deleted file mode 100644
index a546750a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeListenerService.php
+++ /dev/null
@@ -1,37 +0,0 @@
-privates['maker.auto_command.make_listener'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeListener(new \Symfony\Bundle\MakerBundle\EventRegistry(($container->services['event_dispatcher'] ?? self::getEventDispatcherService($container)))), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:listener');
- $instance->setAliases(['make:subscriber']);
- $instance->setDescription('Creates a new event subscriber class or a new event listener class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMessageService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMessageService.php
deleted file mode 100644
index 186e2972..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMessageService.php
+++ /dev/null
@@ -1,37 +0,0 @@
-privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService'));
-
- $container->privates['maker.auto_command.make_message'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeMessage($a), $a, ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:message');
- $instance->setDescription('Create a new message and handler');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMessengerMiddlewareService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMessengerMiddlewareService.php
deleted file mode 100644
index 07a05cb3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMessengerMiddlewareService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_messenger_middleware'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeMessengerMiddleware(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:messenger-middleware');
- $instance->setDescription('Create a new messenger middleware');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMigrationService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMigrationService.php
deleted file mode 100644
index 79082f32..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeMigrationService.php
+++ /dev/null
@@ -1,36 +0,0 @@
-privates['maker.auto_command.make_migration'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeMigration(\dirname(__DIR__, 4), ($container->privates['maker.file_link_formatter'] ?? $container->load('getMaker_FileLinkFormatterService'))), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:migration');
- $instance->setDescription('Create a new migration based on database changes');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeRegistrationFormService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeRegistrationFormService.php
deleted file mode 100644
index 4f78927a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeRegistrationFormService.php
+++ /dev/null
@@ -1,37 +0,0 @@
-privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService'));
-
- $container->privates['maker.auto_command.make_registration_form'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeRegistrationForm($a, ($container->privates['maker.renderer.form_type_renderer'] ?? $container->load('getMaker_Renderer_FormTypeRendererService')), ($container->privates['maker.doctrine_helper'] ?? $container->load('getMaker_DoctrineHelperService')), ($container->services['router'] ?? self::getRouterService($container))), $a, ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:registration-form');
- $instance->setDescription('Create a new registration form system');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeResetPasswordService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeResetPasswordService.php
deleted file mode 100644
index 41f451d8..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeResetPasswordService.php
+++ /dev/null
@@ -1,37 +0,0 @@
-privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService'));
-
- $container->privates['maker.auto_command.make_reset_password'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeResetPassword($a, ($container->privates['maker.doctrine_helper'] ?? $container->load('getMaker_DoctrineHelperService')), ($container->privates['maker.entity_class_generator'] ?? $container->load('getMaker_EntityClassGeneratorService'))), $a, ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:reset-password');
- $instance->setDescription('Create controller, entity, and repositories for use with symfonycasts/reset-password-bundle');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSecurityFormLoginService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSecurityFormLoginService.php
deleted file mode 100644
index 23009747..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSecurityFormLoginService.php
+++ /dev/null
@@ -1,39 +0,0 @@
-privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService'));
-
- $container->privates['maker.auto_command.make_security_form_login'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\Security\MakeFormLogin($a, ($container->privates['maker.security_config_updater'] ??= new \Symfony\Bundle\MakerBundle\Security\SecurityConfigUpdater()), ($container->privates['maker.security_controller_builder'] ??= new \Symfony\Bundle\MakerBundle\Security\SecurityControllerBuilder())), $a, ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:security:form-login');
- $instance->setDescription('Generate the code needed for the form_login authenticator');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSerializerEncoderService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSerializerEncoderService.php
deleted file mode 100644
index f09d9937..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSerializerEncoderService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_serializer_encoder'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeSerializerEncoder(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:serializer:encoder');
- $instance->setDescription('Create a new serializer encoder class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSerializerNormalizerService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSerializerNormalizerService.php
deleted file mode 100644
index 5c7cea4e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeSerializerNormalizerService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_serializer_normalizer'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeSerializerNormalizer(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:serializer:normalizer');
- $instance->setDescription('Create a new serializer normalizer class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeStimulusControllerService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeStimulusControllerService.php
deleted file mode 100644
index 1f231550..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeStimulusControllerService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_stimulus_controller'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeStimulusController(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:stimulus-controller');
- $instance->setDescription('Create a new Stimulus controller');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTestService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTestService.php
deleted file mode 100644
index 91f37132..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTestService.php
+++ /dev/null
@@ -1,37 +0,0 @@
-privates['maker.auto_command.make_test'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeTest(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:test');
- $instance->setAliases(['make:unit-test', 'make:functional-test']);
- $instance->setDescription('Create a new test class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTwigComponentService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTwigComponentService.php
deleted file mode 100644
index 852f6dce..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTwigComponentService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_twig_component'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeTwigComponent(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:twig-component');
- $instance->setDescription('Create a twig (or live) component');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTwigExtensionService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTwigExtensionService.php
deleted file mode 100644
index e45473e4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeTwigExtensionService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_twig_extension'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeTwigExtension(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:twig-extension');
- $instance->setDescription('Create a new Twig extension with its runtime class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeUserService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeUserService.php
deleted file mode 100644
index e939f7bb..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeUserService.php
+++ /dev/null
@@ -1,39 +0,0 @@
-privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService'));
-
- $container->privates['maker.auto_command.make_user'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeUser($a, new \Symfony\Bundle\MakerBundle\Security\UserClassBuilder(), ($container->privates['maker.security_config_updater'] ??= new \Symfony\Bundle\MakerBundle\Security\SecurityConfigUpdater()), ($container->privates['maker.entity_class_generator'] ?? $container->load('getMaker_EntityClassGeneratorService')), ($container->privates['maker.doctrine_helper'] ?? $container->load('getMaker_DoctrineHelperService'))), $a, ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:user');
- $instance->setDescription('Create a new security user class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeValidatorService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeValidatorService.php
deleted file mode 100644
index 26f0860b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeValidatorService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_validator'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeValidator(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:validator');
- $instance->setDescription('Create a new validator and constraint class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeVoterService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeVoterService.php
deleted file mode 100644
index 13ae06a1..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_AutoCommand_MakeVoterService.php
+++ /dev/null
@@ -1,35 +0,0 @@
-privates['maker.auto_command.make_voter'] = $instance = new \Symfony\Bundle\MakerBundle\Command\MakerCommand(new \Symfony\Bundle\MakerBundle\Maker\MakeVoter(), ($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), ($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.template_linter'] ??= new \Symfony\Bundle\MakerBundle\Util\TemplateLinter($container->getEnv('default::string:MAKER_PHP_CS_FIXER_BINARY_PATH'), $container->getEnv('default::string:MAKER_PHP_CS_FIXER_CONFIG_PATH'))));
-
- $instance->setName('make:voter');
- $instance->setDescription('Create a new security voter class');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_DoctrineHelperService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_DoctrineHelperService.php
deleted file mode 100644
index 56513f99..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_DoctrineHelperService.php
+++ /dev/null
@@ -1,30 +0,0 @@
-privates['maker.doctrine_helper'] = new \Symfony\Bundle\MakerBundle\Doctrine\DoctrineHelper('DMD\\LaLigaApi\\Entity', ($container->services['doctrine'] ?? $container->load('getDoctrineService')), ['default' => [['DMD\\LaLigaApi\\Entity', ($container->privates['doctrine.orm.default_attribute_metadata_driver'] ??= new \Doctrine\ORM\Mapping\Driver\AttributeDriver([(\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'src'.\DIRECTORY_SEPARATOR.'Entity')], true))]]]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_EntityClassGeneratorService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_EntityClassGeneratorService.php
deleted file mode 100644
index a2601c69..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_EntityClassGeneratorService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['maker.entity_class_generator'] = new \Symfony\Bundle\MakerBundle\Doctrine\EntityClassGenerator(($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')), ($container->privates['maker.doctrine_helper'] ?? $container->load('getMaker_DoctrineHelperService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_FileLinkFormatterService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_FileLinkFormatterService.php
deleted file mode 100644
index 92d71764..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_FileLinkFormatterService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['maker.file_link_formatter'] = new \Symfony\Bundle\MakerBundle\Util\MakerFileLinkFormatter(($container->privates['debug.file_link_formatter'] ??= new \Symfony\Component\HttpKernel\Debug\FileLinkFormatter($container->getEnv('default::SYMFONY_IDE'))));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_FileManagerService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_FileManagerService.php
deleted file mode 100644
index e37047d1..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_FileManagerService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['maker.file_manager'] = new \Symfony\Bundle\MakerBundle\FileManager(($container->privates['filesystem'] ??= new \Symfony\Component\Filesystem\Filesystem()), new \Symfony\Bundle\MakerBundle\Util\AutoloaderUtil(new \Symfony\Bundle\MakerBundle\Util\ComposerAutoloaderFinder('DMD\\LaLigaApi')), ($container->privates['maker.file_link_formatter'] ?? $container->load('getMaker_FileLinkFormatterService')), \dirname(__DIR__, 4), (\dirname(__DIR__, 4).'/templates'));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_GeneratorService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_GeneratorService.php
deleted file mode 100644
index 853b209a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_GeneratorService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['maker.generator'] = new \Symfony\Bundle\MakerBundle\Generator(($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')), 'DMD\\LaLigaApi', NULL, new \Symfony\Bundle\MakerBundle\Util\TemplateComponentGenerator());
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_PhpCompatUtilService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_PhpCompatUtilService.php
deleted file mode 100644
index 8c60b234..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_PhpCompatUtilService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['maker.php_compat_util'] = new \Symfony\Bundle\MakerBundle\Util\PhpCompatUtil(($container->privates['maker.file_manager'] ?? $container->load('getMaker_FileManagerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getMaker_Renderer_FormTypeRendererService.php b/var/cache/dev/ContainerDm8zrDD/getMaker_Renderer_FormTypeRendererService.php
deleted file mode 100644
index e3fc4beb..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getMaker_Renderer_FormTypeRendererService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['maker.renderer.form_type_renderer'] = new \Symfony\Bundle\MakerBundle\Renderer\FormTypeRenderer(($container->privates['maker.generator'] ?? $container->load('getMaker_GeneratorService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getManagerRegistryAwareConnectionProviderService.php b/var/cache/dev/ContainerDm8zrDD/getManagerRegistryAwareConnectionProviderService.php
deleted file mode 100644
index e20fc28a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getManagerRegistryAwareConnectionProviderService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['Doctrine\\Bundle\\DoctrineBundle\\Dbal\\ManagerRegistryAwareConnectionProvider'] = new \Doctrine\Bundle\DoctrineBundle\Dbal\ManagerRegistryAwareConnectionProvider(new \Doctrine\Bundle\DoctrineBundle\Registry($container, $container->parameters['doctrine.connections'], $container->parameters['doctrine.entity_managers'], 'default', 'default'));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Command_DumpService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Command_DumpService.php
deleted file mode 100644
index 07a604b2..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Command_DumpService.php
+++ /dev/null
@@ -1,30 +0,0 @@
-services['nelmio_api_doc.command.dump'] = $instance = new \Nelmio\ApiDocBundle\Command\DumpCommand(($container->services['nelmio_api_doc.render_docs'] ?? $container->load('getNelmioApiDoc_RenderDocsService')));
-
- $instance->setName('nelmio:apidoc:dump');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Controller_SwaggerJsonService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Controller_SwaggerJsonService.php
deleted file mode 100644
index f8edfd01..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Controller_SwaggerJsonService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-services['nelmio_api_doc.controller.swagger_json'] = new \Nelmio\ApiDocBundle\Controller\DocumentationController(($container->services['nelmio_api_doc.render_docs'] ?? $container->load('getNelmioApiDoc_RenderDocsService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Controller_SwaggerYamlService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Controller_SwaggerYamlService.php
deleted file mode 100644
index 439e31b9..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Controller_SwaggerYamlService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-services['nelmio_api_doc.controller.swagger_yaml'] = new \Nelmio\ApiDocBundle\Controller\YamlDocumentationController(($container->services['nelmio_api_doc.render_docs'] ?? $container->load('getNelmioApiDoc_RenderDocsService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_ConfigService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_ConfigService.php
deleted file mode 100644
index 6cc3d92e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_ConfigService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['nelmio_api_doc.describers.config'] = new \Nelmio\ApiDocBundle\Describer\ExternalDocDescriber(['info' => ['title' => 'My App', 'description' => 'This is an awesome app!', 'version' => '1.0.0']]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_OpenapiPhp_DefaultService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_OpenapiPhp_DefaultService.php
deleted file mode 100644
index 8451219f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_OpenapiPhp_DefaultService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['nelmio_api_doc.describers.openapi_php.default'] = new \Nelmio\ApiDocBundle\Describer\OpenApiPhpDescriber(($container->privates['nelmio_api_doc.routes.default'] ?? $container->load('getNelmioApiDoc_Routes_DefaultService')), ($container->privates['nelmio_api_doc.controller_reflector'] ??= new \Nelmio\ApiDocBundle\Util\ControllerReflector($container)), NULL, ($container->privates['logger'] ?? self::getLoggerService($container)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_Route_DefaultService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_Route_DefaultService.php
deleted file mode 100644
index e5c13a8d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Describers_Route_DefaultService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['nelmio_api_doc.describers.route.default'] = new \Nelmio\ApiDocBundle\Describer\RouteDescriber(($container->privates['nelmio_api_doc.routes.default'] ?? $container->load('getNelmioApiDoc_Routes_DefaultService')), ($container->privates['nelmio_api_doc.controller_reflector'] ??= new \Nelmio\ApiDocBundle\Util\ControllerReflector($container)), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['nelmio_api_doc.route_describers.php_doc'] ??= new \Nelmio\ApiDocBundle\RouteDescriber\PhpDocDescriber());
- yield 1 => ($container->privates['nelmio_api_doc.route_describers.route_metadata'] ??= new \Nelmio\ApiDocBundle\RouteDescriber\RouteMetadataDescriber());
- }, 2));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Generator_DefaultService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Generator_DefaultService.php
deleted file mode 100644
index d6fd8241..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Generator_DefaultService.php
+++ /dev/null
@@ -1,49 +0,0 @@
-addProcessor(new \Nelmio\ApiDocBundle\Processor\NullablePropertyProcessor(), NULL);
-
- $container->services['nelmio_api_doc.generator.default'] = $instance = new \Nelmio\ApiDocBundle\ApiDocGenerator(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['nelmio_api_doc.describers.config'] ?? $container->load('getNelmioApiDoc_Describers_ConfigService'));
- yield 1 => ($container->privates['nelmio_api_doc.describers.config.default'] ??= new \Nelmio\ApiDocBundle\Describer\ExternalDocDescriber([], true));
- yield 2 => ($container->privates['nelmio_api_doc.describers.openapi_php.default'] ?? $container->load('getNelmioApiDoc_Describers_OpenapiPhp_DefaultService'));
- yield 3 => ($container->privates['nelmio_api_doc.describers.route.default'] ?? $container->load('getNelmioApiDoc_Describers_Route_DefaultService'));
- yield 4 => ($container->privates['nelmio_api_doc.describers.default'] ??= new \Nelmio\ApiDocBundle\Describer\DefaultDescriber());
- }, 5), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['nelmio_api_doc.model_describers.self_describing'] ??= new \Nelmio\ApiDocBundle\ModelDescriber\SelfDescribingModelDescriber());
- yield 1 => ($container->privates['nelmio_api_doc.model_describers.enum'] ??= new \Nelmio\ApiDocBundle\ModelDescriber\EnumModelDescriber());
- yield 2 => ($container->privates['nelmio_api_doc.model_describers.object'] ?? $container->load('getNelmioApiDoc_ModelDescribers_ObjectService'));
- }, 3), NULL, NULL, $a);
-
- $instance->setAlternativeNames([]);
- $instance->setMediaTypes(['json']);
- $instance->setLogger(($container->privates['logger'] ?? self::getLoggerService($container)));
- $instance->setOpenApiVersion(NULL);
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_ModelDescribers_ObjectService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_ModelDescribers_ObjectService.php
deleted file mode 100644
index 6c9f0de0..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_ModelDescribers_ObjectService.php
+++ /dev/null
@@ -1,42 +0,0 @@
-privates['nelmio_api_doc.model_describers.object'] = new \Nelmio\ApiDocBundle\ModelDescriber\ObjectModelDescriber(($container->privates['property_info'] ?? $container->load('getPropertyInfoService')), NULL, new \Nelmio\ApiDocBundle\PropertyDescriber\PropertyDescriber(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['nelmio_api_doc.object_model.property_describers.nullable'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\NullablePropertyDescriber());
- yield 1 => ($container->privates['nelmio_api_doc.object_model.property_describers.required'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\RequiredPropertyDescriber());
- yield 2 => ($container->privates['nelmio_api_doc.object_model.property_describers.array'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\ArrayPropertyDescriber());
- yield 3 => ($container->privates['nelmio_api_doc.object_model.property_describers.boolean'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\BooleanPropertyDescriber());
- yield 4 => ($container->privates['nelmio_api_doc.object_model.property_describers.float'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\FloatPropertyDescriber());
- yield 5 => ($container->privates['nelmio_api_doc.object_model.property_describers.integer'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\IntegerPropertyDescriber());
- yield 6 => ($container->privates['nelmio_api_doc.object_model.property_describers.string'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\StringPropertyDescriber());
- yield 7 => ($container->privates['nelmio_api_doc.object_model.property_describers.date_time'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\DateTimePropertyDescriber());
- yield 8 => ($container->privates['nelmio_api_doc.object_model.property_describers.object'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\ObjectPropertyDescriber());
- yield 9 => ($container->privates['nelmio_api_doc.object_model.property_describers.compound'] ??= new \Nelmio\ApiDocBundle\PropertyDescriber\CompoundPropertyDescriber());
- }, 10)), ['json'], NULL, false, NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_RenderDocsService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_RenderDocsService.php
deleted file mode 100644
index 0b05b562..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_RenderDocsService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-services['nelmio_api_doc.render_docs'] = new \Nelmio\ApiDocBundle\Render\RenderOpenApi(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'default' => ['services', 'nelmio_api_doc.generator.default', 'getNelmioApiDoc_Generator_DefaultService', true],
- ], [
- 'default' => '?',
- ]), new \Nelmio\ApiDocBundle\Render\Json\JsonOpenApiRenderer(), new \Nelmio\ApiDocBundle\Render\Yaml\YamlOpenApiRenderer(), NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Routes_DefaultService.php b/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Routes_DefaultService.php
deleted file mode 100644
index 4d258f70..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNelmioApiDoc_Routes_DefaultService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['nelmio_api_doc.routes.default'] = (new \Nelmio\ApiDocBundle\Routing\FilteredRouteCollectionBuilder(($container->services['annotation_reader'] ?? $container->get('annotation_reader', ContainerInterface::NULL_ON_INVALID_REFERENCE)), ($container->privates['nelmio_api_doc.controller_reflector'] ??= new \Nelmio\ApiDocBundle\Util\ControllerReflector($container)), 'default', ['path_patterns' => ['^/api(?!/doc$)'], 'host_patterns' => [], 'name_patterns' => [], 'with_annotation' => false, 'disable_default_routes' => false]))->filter(($container->services['router'] ?? self::getRouterService($container))->getRouteCollection());
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNotificationControllerService.php b/var/cache/dev/ContainerDm8zrDD/getNotificationControllerService.php
deleted file mode 100644
index 5190c6e7..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNotificationControllerService.php
+++ /dev/null
@@ -1,30 +0,0 @@
-services['DMD\\LaLigaApi\\Controller\\NotificationController'] = $instance = new \DMD\LaLigaApi\Controller\NotificationController();
-
- $instance->setContainer(($container->privates['.service_locator.O2p6Lk7'] ?? $container->load('get_ServiceLocator_O2p6Lk7Service'))->withContext('DMD\\LaLigaApi\\Controller\\NotificationController', $container));
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNotificationFactoryService.php b/var/cache/dev/ContainerDm8zrDD/getNotificationFactoryService.php
deleted file mode 100644
index 7999c333..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNotificationFactoryService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\Common\\NotificationFactory'] = new \DMD\LaLigaApi\Service\Common\NotificationFactory(($container->privates['DMD\\LaLigaApi\\Repository\\CustomRoleRepository'] ?? $container->load('getCustomRoleRepositoryService')), ($container->privates['DMD\\LaLigaApi\\Repository\\TeamRepository'] ?? $container->load('getTeamRepositoryService')), ($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['DMD\\LaLigaApi\\Service\\Common\\EmailSender'] ?? $container->load('getEmailSenderService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getNotificationRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getNotificationRepositoryService.php
deleted file mode 100644
index af95323f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getNotificationRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\NotificationRepository'] = new \DMD\LaLigaApi\Repository\NotificationRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getPlayerRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getPlayerRepositoryService.php
deleted file mode 100644
index 5e37caa0..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getPlayerRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\PlayerRepository'] = new \DMD\LaLigaApi\Repository\PlayerRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getPropertyInfoService.php b/var/cache/dev/ContainerDm8zrDD/getPropertyInfoService.php
deleted file mode 100644
index 1c599992..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getPropertyInfoService.php
+++ /dev/null
@@ -1,46 +0,0 @@
-privates['property_info'] = new \Symfony\Component\PropertyInfo\PropertyInfoExtractor(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['property_info.reflection_extractor'] ??= new \Symfony\Component\PropertyInfo\Extractor\ReflectionExtractor());
- yield 1 => ($container->privates['doctrine.orm.default_entity_manager.property_info_extractor'] ?? $container->load('getDoctrine_Orm_DefaultEntityManager_PropertyInfoExtractorService'));
- }, 2), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['doctrine.orm.default_entity_manager.property_info_extractor'] ?? $container->load('getDoctrine_Orm_DefaultEntityManager_PropertyInfoExtractorService'));
- yield 1 => ($container->privates['property_info.phpstan_extractor'] ??= new \Symfony\Component\PropertyInfo\Extractor\PhpStanExtractor());
- yield 2 => ($container->privates['property_info.php_doc_extractor'] ??= new \Symfony\Component\PropertyInfo\Extractor\PhpDocExtractor());
- yield 3 => ($container->privates['property_info.reflection_extractor'] ??= new \Symfony\Component\PropertyInfo\Extractor\ReflectionExtractor());
- }, 4), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['property_info.php_doc_extractor'] ??= new \Symfony\Component\PropertyInfo\Extractor\PhpDocExtractor());
- }, 1), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['doctrine.orm.default_entity_manager.property_info_extractor'] ?? $container->load('getDoctrine_Orm_DefaultEntityManager_PropertyInfoExtractorService'));
- yield 1 => ($container->privates['property_info.reflection_extractor'] ??= new \Symfony\Component\PropertyInfo\Extractor\ReflectionExtractor());
- }, 2), new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['property_info.reflection_extractor'] ??= new \Symfony\Component\PropertyInfo\Extractor\ReflectionExtractor());
- }, 1));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getRedirectControllerService.php b/var/cache/dev/ContainerDm8zrDD/getRedirectControllerService.php
deleted file mode 100644
index b068136a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getRedirectControllerService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['router.request_context'] ?? self::getRouter_RequestContextService($container));
-
- return $container->services['Symfony\\Bundle\\FrameworkBundle\\Controller\\RedirectController'] = new \Symfony\Bundle\FrameworkBundle\Controller\RedirectController(($container->services['router'] ?? self::getRouterService($container)), $a->getHttpPort(), $a->getHttpsPort());
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getRouter_CacheWarmerService.php b/var/cache/dev/ContainerDm8zrDD/getRouter_CacheWarmerService.php
deleted file mode 100644
index e1713c20..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getRouter_CacheWarmerService.php
+++ /dev/null
@@ -1,30 +0,0 @@
-privates['router.cache_warmer'] = new \Symfony\Bundle\FrameworkBundle\CacheWarmer\RouterCacheWarmer((new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'router' => ['services', 'router', 'getRouterService', false],
- ], [
- 'router' => '?',
- ]))->withContext('router.cache_warmer', $container));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getRouting_LoaderService.php b/var/cache/dev/ContainerDm8zrDD/getRouting_LoaderService.php
deleted file mode 100644
index 2d0c1e79..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getRouting_LoaderService.php
+++ /dev/null
@@ -1,70 +0,0 @@
-services['kernel'] ?? $container->get('kernel', 1)));
- $c = new \Symfony\Bundle\FrameworkBundle\Routing\AnnotatedRouteControllerLoader(NULL, 'dev');
-
- $a->addLoader(new \Symfony\Component\Routing\Loader\XmlFileLoader($b, 'dev'));
- $a->addLoader(new \Symfony\Component\Routing\Loader\YamlFileLoader($b, 'dev'));
- $a->addLoader(new \Symfony\Component\Routing\Loader\PhpFileLoader($b, 'dev'));
- $a->addLoader(new \Symfony\Component\Routing\Loader\GlobFileLoader($b, 'dev'));
- $a->addLoader(new \Symfony\Component\Routing\Loader\DirectoryLoader($b, 'dev'));
- $a->addLoader(new \Symfony\Component\Routing\Loader\ContainerLoader(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'kernel' => ['services', 'kernel', 'getKernelService', true],
- ], [
- 'kernel' => 'DMD\\LaLigaApi\\Kernel',
- ]), 'dev'));
- $a->addLoader($c);
- $a->addLoader(new \Symfony\Component\Routing\Loader\AnnotationDirectoryLoader($b, $c));
- $a->addLoader(new \Symfony\Component\Routing\Loader\AnnotationFileLoader($b, $c));
- $a->addLoader(new \Symfony\Component\Routing\Loader\Psr4DirectoryLoader($b));
-
- return $container->services['routing.loader'] = new \Symfony\Bundle\FrameworkBundle\Routing\DelegatingLoader($a, ['utf8' => true], []);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getRunSqlCommandService.php b/var/cache/dev/ContainerDm8zrDD/getRunSqlCommandService.php
deleted file mode 100644
index 29137efa..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getRunSqlCommandService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['Doctrine\\DBAL\\Tools\\Console\\Command\\RunSqlCommand'] = $instance = new \Doctrine\DBAL\Tools\Console\Command\RunSqlCommand(($container->privates['Doctrine\\Bundle\\DoctrineBundle\\Dbal\\ManagerRegistryAwareConnectionProvider'] ?? $container->load('getManagerRegistryAwareConnectionProviderService')));
-
- $instance->setName('dbal:run-sql');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSeasonControllerService.php b/var/cache/dev/ContainerDm8zrDD/getSeasonControllerService.php
deleted file mode 100644
index 7a23c2cf..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSeasonControllerService.php
+++ /dev/null
@@ -1,30 +0,0 @@
-services['DMD\\LaLigaApi\\Controller\\SeasonController'] = $instance = new \DMD\LaLigaApi\Controller\SeasonController();
-
- $instance->setContainer(($container->privates['.service_locator.O2p6Lk7'] ?? $container->load('get_ServiceLocator_O2p6Lk7Service'))->withContext('DMD\\LaLigaApi\\Controller\\SeasonController', $container));
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSeasonDataRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getSeasonDataRepositoryService.php
deleted file mode 100644
index d81c9d10..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSeasonDataRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\SeasonDataRepository'] = new \DMD\LaLigaApi\Repository\SeasonDataRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSeasonRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getSeasonRepositoryService.php
deleted file mode 100644
index 9cb447ac..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSeasonRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\SeasonRepository'] = new \DMD\LaLigaApi\Repository\SeasonRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecrets_VaultService.php b/var/cache/dev/ContainerDm8zrDD/getSecrets_VaultService.php
deleted file mode 100644
index 6e87cc50..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecrets_VaultService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['secrets.vault'] = new \Symfony\Bundle\FrameworkBundle\Secrets\SodiumVault((\dirname(__DIR__, 4).'/config/secrets/'.$container->getEnv('string:default:kernel.environment:APP_RUNTIME_ENV')), \Symfony\Component\String\LazyString::fromCallable($container->getEnv(...), 'base64:default::SYMFONY_DECRYPTION_SECRET'));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_AccessListenerService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_AccessListenerService.php
deleted file mode 100644
index d29742a6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_AccessListenerService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['debug.security.access.decision_manager'] ?? self::getDebug_Security_Access_DecisionManagerService($container));
-
- if (isset($container->privates['security.access_listener'])) {
- return $container->privates['security.access_listener'];
- }
-
- return $container->privates['security.access_listener'] = new \Symfony\Component\Security\Http\Firewall\AccessListener(($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), $a, ($container->privates['security.access_map'] ?? $container->load('getSecurity_AccessMapService')), false);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_AccessMapService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_AccessMapService.php
deleted file mode 100644
index 2ca8a980..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_AccessMapService.php
+++ /dev/null
@@ -1,37 +0,0 @@
-privates['security.access_map'] = $instance = new \Symfony\Component\Security\Http\AccessMap();
-
- $instance->add(new \Symfony\Component\HttpFoundation\ChainRequestMatcher([($container->privates['.security.request_matcher.lyVOED.'] ??= new \Symfony\Component\HttpFoundation\RequestMatcher\PathRequestMatcher('^/api/login'))]), ['PUBLIC_ACCESS'], NULL);
- $instance->add(new \Symfony\Component\HttpFoundation\ChainRequestMatcher([new \Symfony\Component\HttpFoundation\RequestMatcher\PathRequestMatcher('^/api/user/password')]), ['PUBLIC_ACCESS'], NULL);
- $instance->add(new \Symfony\Component\HttpFoundation\ChainRequestMatcher([new \Symfony\Component\HttpFoundation\RequestMatcher\PathRequestMatcher('^/api/public')]), ['PUBLIC_ACCESS'], NULL);
- $instance->add(new \Symfony\Component\HttpFoundation\ChainRequestMatcher([new \Symfony\Component\HttpFoundation\RequestMatcher\PathRequestMatcher('^/api/register')]), ['PUBLIC_ACCESS'], NULL);
- $instance->add(new \Symfony\Component\HttpFoundation\ChainRequestMatcher([($container->privates['.security.request_matcher.AMZT15Y'] ??= new \Symfony\Component\HttpFoundation\RequestMatcher\PathRequestMatcher('^/api'))]), ['IS_AUTHENTICATED_FULLY'], NULL);
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_JsonLogin_LoginService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_JsonLogin_LoginService.php
deleted file mode 100644
index 7add75ea..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_JsonLogin_LoginService.php
+++ /dev/null
@@ -1,62 +0,0 @@
-services['lexik_jwt_authentication.jwt_manager'] ?? $container->load('getLexikJwtAuthentication_JwtManagerService'));
-
- if (isset($container->privates['security.authenticator.json_login.login'])) {
- return $container->privates['security.authenticator.json_login.login'];
- }
- $b = ($container->services['event_dispatcher'] ?? self::getEventDispatcherService($container));
-
- if (isset($container->privates['security.authenticator.json_login.login'])) {
- return $container->privates['security.authenticator.json_login.login'];
- }
- $c = ($container->privates['property_info.reflection_extractor'] ??= new \Symfony\Component\PropertyInfo\Extractor\ReflectionExtractor());
-
- return $container->privates['security.authenticator.json_login.login'] = new \Symfony\Component\Security\Http\Authenticator\JsonLoginAuthenticator(($container->privates['security.http_utils'] ?? $container->load('getSecurity_HttpUtilsService')), ($container->privates['security.user.provider.concrete.app_user_provider'] ?? $container->load('getSecurity_User_Provider_Concrete_AppUserProviderService')), new \Symfony\Component\Security\Http\Authentication\CustomAuthenticationSuccessHandler(new \Lexik\Bundle\JWTAuthenticationBundle\Security\Http\Authentication\AuthenticationSuccessHandler($a, $b, [], true), [], 'login'), new \Symfony\Component\Security\Http\Authentication\CustomAuthenticationFailureHandler(new \Lexik\Bundle\JWTAuthenticationBundle\Security\Http\Authentication\AuthenticationFailureHandler($b, NULL), []), ['check_path' => '/api/login_check', 'use_forward' => false, 'require_previous_session' => false, 'login_path' => '/login', 'username_path' => 'username', 'password_path' => 'password'], new \Symfony\Component\PropertyAccess\PropertyAccessor(3, 2, new \Symfony\Component\Cache\Adapter\ArrayAdapter(0, false), $c, $c));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Jwt_ApiService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Jwt_ApiService.php
deleted file mode 100644
index 79d690ca..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Jwt_ApiService.php
+++ /dev/null
@@ -1,43 +0,0 @@
-services['lexik_jwt_authentication.jwt_manager'] ?? $container->load('getLexikJwtAuthentication_JwtManagerService'));
-
- if (isset($container->privates['security.authenticator.jwt.api'])) {
- return $container->privates['security.authenticator.jwt.api'];
- }
- $b = ($container->services['event_dispatcher'] ?? self::getEventDispatcherService($container));
-
- if (isset($container->privates['security.authenticator.jwt.api'])) {
- return $container->privates['security.authenticator.jwt.api'];
- }
-
- return $container->privates['security.authenticator.jwt.api'] = new \Lexik\Bundle\JWTAuthenticationBundle\Security\Authenticator\JWTAuthenticator($a, $b, new \Lexik\Bundle\JWTAuthenticationBundle\TokenExtractor\ChainTokenExtractor([new \Lexik\Bundle\JWTAuthenticationBundle\TokenExtractor\AuthorizationHeaderTokenExtractor('Bearer', 'Authorization')]), ($container->privates['security.user.provider.concrete.app_user_provider'] ?? $container->load('getSecurity_User_Provider_Concrete_AppUserProviderService')), NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_ApiService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_ApiService.php
deleted file mode 100644
index aca5933a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_ApiService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['security.authenticator.jwt.api'] ?? $container->load('getSecurity_Authenticator_Jwt_ApiService'));
-
- if (isset($container->privates['security.authenticator.manager.api'])) {
- return $container->privates['security.authenticator.manager.api'];
- }
-
- return $container->privates['security.authenticator.manager.api'] = new \Symfony\Component\Security\Http\Authentication\AuthenticatorManager([$a], ($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), ($container->privates['debug.security.event_dispatcher.api'] ?? $container->load('getDebug_Security_EventDispatcher_ApiService')), 'api', ($container->privates['logger'] ?? self::getLoggerService($container)), true, true, []);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_LoginService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_LoginService.php
deleted file mode 100644
index 57bfdf01..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_LoginService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['security.authenticator.json_login.login'] ?? $container->load('getSecurity_Authenticator_JsonLogin_LoginService'));
-
- if (isset($container->privates['security.authenticator.manager.login'])) {
- return $container->privates['security.authenticator.manager.login'];
- }
-
- return $container->privates['security.authenticator.manager.login'] = new \Symfony\Component\Security\Http\Authentication\AuthenticatorManager([$a], ($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), ($container->privates['debug.security.event_dispatcher.login'] ?? $container->load('getDebug_Security_EventDispatcher_LoginService')), 'login', ($container->privates['logger'] ?? self::getLoggerService($container)), true, true, []);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_MainService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_MainService.php
deleted file mode 100644
index 2caf6d23..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_Manager_MainService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['security.authenticator.manager.main'] = new \Symfony\Component\Security\Http\Authentication\AuthenticatorManager([], ($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), ($container->privates['debug.security.event_dispatcher.main'] ?? self::getDebug_Security_EventDispatcher_MainService($container)), 'main', ($container->privates['logger'] ?? self::getLoggerService($container)), true, true, []);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_ManagersLocatorService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_ManagersLocatorService.php
deleted file mode 100644
index 907117f0..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Authenticator_ManagersLocatorService.php
+++ /dev/null
@@ -1,23 +0,0 @@
-privates['security.authenticator.managers_locator'] = new \Symfony\Component\DependencyInjection\ServiceLocator(['login' => #[\Closure(name: 'security.authenticator.manager.login', class: 'Symfony\\Component\\Security\\Http\\Authentication\\AuthenticatorManager')] fn () => ($container->privates['security.authenticator.manager.login'] ?? $container->load('getSecurity_Authenticator_Manager_LoginService')), 'api' => #[\Closure(name: 'security.authenticator.manager.api', class: 'Symfony\\Component\\Security\\Http\\Authentication\\AuthenticatorManager')] fn () => ($container->privates['security.authenticator.manager.api'] ?? $container->load('getSecurity_Authenticator_Manager_ApiService')), 'main' => #[\Closure(name: 'security.authenticator.manager.main', class: 'Symfony\\Component\\Security\\Http\\Authentication\\AuthenticatorManager')] fn () => ($container->privates['security.authenticator.manager.main'] ?? $container->load('getSecurity_Authenticator_Manager_MainService'))]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_ChannelListenerService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_ChannelListenerService.php
deleted file mode 100644
index 8afb6109..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_ChannelListenerService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['router.request_context'] ?? self::getRouter_RequestContextService($container));
-
- return $container->privates['security.channel_listener'] = new \Symfony\Component\Security\Http\Firewall\ChannelListener(($container->privates['security.access_map'] ?? $container->load('getSecurity_AccessMapService')), ($container->privates['logger'] ?? self::getLoggerService($container)), $a->getHttpPort(), $a->getHttpsPort());
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Command_DebugFirewallService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Command_DebugFirewallService.php
deleted file mode 100644
index 52cb5319..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Command_DebugFirewallService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['security.command.debug_firewall'] = $instance = new \Symfony\Bundle\SecurityBundle\Command\DebugFirewallCommand($container->parameters['security.firewalls'], ($container->privates['.service_locator.dsdSIIc'] ?? self::get_ServiceLocator_DsdSIIcService($container)), ($container->privates['.service_locator.Oannbdp'] ?? $container->load('get_ServiceLocator_OannbdpService')), ['login' => [($container->privates['security.authenticator.json_login.login'] ?? $container->load('getSecurity_Authenticator_JsonLogin_LoginService'))], 'api' => [($container->privates['security.authenticator.jwt.api'] ?? $container->load('getSecurity_Authenticator_Jwt_ApiService'))], 'main' => []], false);
-
- $instance->setName('debug:firewall');
- $instance->setDescription('Display information about your security firewall(s)');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Command_UserPasswordHashService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Command_UserPasswordHashService.php
deleted file mode 100644
index 5045bec9..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Command_UserPasswordHashService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['security.command.user_password_hash'] = $instance = new \Symfony\Component\PasswordHasher\Command\UserPasswordHashCommand(($container->privates['security.password_hasher_factory'] ?? $container->load('getSecurity_PasswordHasherFactoryService')), ['Symfony\\Component\\Security\\Core\\User\\PasswordAuthenticatedUserInterface']);
-
- $instance->setName('security:hash-password');
- $instance->setDescription('Hash a user password');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Csrf_TokenManagerService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Csrf_TokenManagerService.php
deleted file mode 100644
index 9128165d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Csrf_TokenManagerService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['security.csrf.token_manager'] = new \Symfony\Component\Security\Csrf\CsrfTokenManager(new \Symfony\Component\Security\Csrf\TokenGenerator\UriSafeTokenGenerator(), ($container->privates['security.csrf.token_storage'] ?? $container->load('getSecurity_Csrf_TokenStorageService')), ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Csrf_TokenStorageService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Csrf_TokenStorageService.php
deleted file mode 100644
index bbe635e4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Csrf_TokenStorageService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['security.csrf.token_storage'] = new \Symfony\Component\Security\Csrf\TokenStorage\SessionTokenStorage(($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_EventDispatcherLocatorService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_EventDispatcherLocatorService.php
deleted file mode 100644
index 21c87830..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_EventDispatcherLocatorService.php
+++ /dev/null
@@ -1,23 +0,0 @@
-privates['security.firewall.event_dispatcher_locator'] = new \Symfony\Component\DependencyInjection\ServiceLocator(['login' => #[\Closure(name: 'debug.security.event_dispatcher.login', class: 'Symfony\\Component\\EventDispatcher\\Debug\\TraceableEventDispatcher')] fn () => ($container->privates['debug.security.event_dispatcher.login'] ?? $container->load('getDebug_Security_EventDispatcher_LoginService')), 'api' => #[\Closure(name: 'debug.security.event_dispatcher.api', class: 'Symfony\\Component\\EventDispatcher\\Debug\\TraceableEventDispatcher')] fn () => ($container->privates['debug.security.event_dispatcher.api'] ?? $container->load('getDebug_Security_EventDispatcher_ApiService')), 'main' => #[\Closure(name: 'debug.security.event_dispatcher.main', class: 'Symfony\\Component\\EventDispatcher\\Debug\\TraceableEventDispatcher')] fn () => ($container->privates['debug.security.event_dispatcher.main'] ?? self::getDebug_Security_EventDispatcher_MainService($container))]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_ApiService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_ApiService.php
deleted file mode 100644
index 7ac6a3c9..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_ApiService.php
+++ /dev/null
@@ -1,38 +0,0 @@
-privates['security.authenticator.jwt.api'] ?? $container->load('getSecurity_Authenticator_Jwt_ApiService'));
-
- if (isset($container->privates['security.firewall.map.context.api'])) {
- return $container->privates['security.firewall.map.context.api'];
- }
-
- return $container->privates['security.firewall.map.context.api'] = new \Symfony\Bundle\SecurityBundle\Security\FirewallContext(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['security.channel_listener'] ?? $container->load('getSecurity_ChannelListenerService'));
- yield 1 => ($container->privates['debug.security.firewall.authenticator.api'] ?? $container->load('getDebug_Security_Firewall_Authenticator_ApiService'));
- yield 2 => ($container->privates['security.access_listener'] ?? $container->load('getSecurity_AccessListenerService'));
- }, 3), new \Symfony\Component\Security\Http\Firewall\ExceptionListener(($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), ($container->privates['security.authentication.trust_resolver'] ??= new \Symfony\Component\Security\Core\Authentication\AuthenticationTrustResolver()), ($container->privates['security.http_utils'] ?? $container->load('getSecurity_HttpUtilsService')), 'api', $a, NULL, NULL, ($container->privates['logger'] ?? self::getLoggerService($container)), true), NULL, new \Symfony\Bundle\SecurityBundle\Security\FirewallConfig('api', 'security.user_checker', '.security.request_matcher.vhy2oy3', true, true, 'security.user.provider.concrete.app_user_provider', NULL, 'security.authenticator.jwt.api', NULL, NULL, ['jwt'], NULL, NULL));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_DevService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_DevService.php
deleted file mode 100644
index 8a05c0b8..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_DevService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['security.firewall.map.context.dev'] = new \Symfony\Bundle\SecurityBundle\Security\FirewallContext(new RewindableGenerator(fn () => new \EmptyIterator(), 0), NULL, NULL, new \Symfony\Bundle\SecurityBundle\Security\FirewallConfig('dev', 'security.user_checker', '.security.request_matcher.kLbKLHa', false, false, NULL, NULL, NULL, NULL, NULL, [], NULL, NULL));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_LoginService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_LoginService.php
deleted file mode 100644
index 53a4183c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_LoginService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['security.firewall.map.context.login'] = new \Symfony\Bundle\SecurityBundle\Security\FirewallContext(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['security.channel_listener'] ?? $container->load('getSecurity_ChannelListenerService'));
- yield 1 => ($container->privates['debug.security.firewall.authenticator.login'] ?? $container->load('getDebug_Security_Firewall_Authenticator_LoginService'));
- yield 2 => ($container->privates['security.access_listener'] ?? $container->load('getSecurity_AccessListenerService'));
- }, 3), new \Symfony\Component\Security\Http\Firewall\ExceptionListener(($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), ($container->privates['security.authentication.trust_resolver'] ??= new \Symfony\Component\Security\Core\Authentication\AuthenticationTrustResolver()), ($container->privates['security.http_utils'] ?? $container->load('getSecurity_HttpUtilsService')), 'login', NULL, NULL, NULL, ($container->privates['logger'] ?? self::getLoggerService($container)), true), NULL, new \Symfony\Bundle\SecurityBundle\Security\FirewallConfig('login', 'security.user_checker', '.security.request_matcher.0QxrXJt', true, true, 'security.user.provider.concrete.app_user_provider', NULL, NULL, NULL, NULL, ['json_login'], NULL, NULL));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_MainService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_MainService.php
deleted file mode 100644
index 233eba5e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Firewall_Map_Context_MainService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-privates['security.firewall.map.context.main'] = new \Symfony\Bundle\SecurityBundle\Security\LazyFirewallContext(new RewindableGenerator(function () use ($container) {
- yield 0 => ($container->privates['security.channel_listener'] ?? $container->load('getSecurity_ChannelListenerService'));
- yield 1 => ($container->privates['security.context_listener.0'] ?? self::getSecurity_ContextListener_0Service($container));
- yield 2 => ($container->privates['debug.security.firewall.authenticator.main'] ?? $container->load('getDebug_Security_Firewall_Authenticator_MainService'));
- yield 3 => ($container->privates['security.access_listener'] ?? $container->load('getSecurity_AccessListenerService'));
- }, 4), new \Symfony\Component\Security\Http\Firewall\ExceptionListener(($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), ($container->privates['security.authentication.trust_resolver'] ??= new \Symfony\Component\Security\Core\Authentication\AuthenticationTrustResolver()), ($container->privates['security.http_utils'] ?? $container->load('getSecurity_HttpUtilsService')), 'main', NULL, NULL, NULL, ($container->privates['logger'] ?? self::getLoggerService($container)), false), NULL, new \Symfony\Bundle\SecurityBundle\Security\FirewallConfig('main', 'security.user_checker', NULL, true, false, 'security.user.provider.concrete.app_user_provider', 'main', NULL, NULL, NULL, [], NULL, NULL), ($container->privates['security.untracked_token_storage'] ??= new \Symfony\Component\Security\Core\Authentication\Token\Storage\TokenStorage()));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_HelperService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_HelperService.php
deleted file mode 100644
index f1730dd4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_HelperService.php
+++ /dev/null
@@ -1,52 +0,0 @@
-privates['security.helper'] = new \Symfony\Bundle\SecurityBundle\Security(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'request_stack' => ['services', 'request_stack', 'getRequestStackService', false],
- 'security.authenticator.managers_locator' => ['privates', 'security.authenticator.managers_locator', 'getSecurity_Authenticator_ManagersLocatorService', true],
- 'security.authorization_checker' => ['privates', 'security.authorization_checker', 'getSecurity_AuthorizationCheckerService', false],
- 'security.csrf.token_manager' => ['privates', 'security.csrf.token_manager', 'getSecurity_Csrf_TokenManagerService', true],
- 'security.firewall.event_dispatcher_locator' => ['privates', 'security.firewall.event_dispatcher_locator', 'getSecurity_Firewall_EventDispatcherLocatorService', true],
- 'security.firewall.map' => ['privates', 'security.firewall.map', 'getSecurity_Firewall_MapService', false],
- 'security.token_storage' => ['privates', 'security.token_storage', 'getSecurity_TokenStorageService', false],
- 'security.user_checker' => ['privates', 'security.user_checker', 'getSecurity_UserCheckerService', true],
- ], [
- 'request_stack' => '?',
- 'security.authenticator.managers_locator' => '?',
- 'security.authorization_checker' => '?',
- 'security.csrf.token_manager' => '?',
- 'security.firewall.event_dispatcher_locator' => '?',
- 'security.firewall.map' => '?',
- 'security.token_storage' => '?',
- 'security.user_checker' => '?',
- ]), ['login' => new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'security.authenticator.json_login.login' => ['privates', 'security.authenticator.json_login.login', 'getSecurity_Authenticator_JsonLogin_LoginService', true],
- ], [
- 'security.authenticator.json_login.login' => '?',
- ]), 'api' => new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'security.authenticator.jwt.api' => ['privates', 'security.authenticator.jwt.api', 'getSecurity_Authenticator_Jwt_ApiService', true],
- ], [
- 'security.authenticator.jwt.api' => '?',
- ]), 'dev' => NULL, 'main' => NULL]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_HttpUtilsService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_HttpUtilsService.php
deleted file mode 100644
index 5adc5c75..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_HttpUtilsService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-services['router'] ?? self::getRouterService($container));
-
- return $container->privates['security.http_utils'] = new \Symfony\Component\Security\Http\HttpUtils($a, $a, '{^https?://%s$}i', '{^https://%s$}i');
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_CheckAuthenticatorCredentialsService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_CheckAuthenticatorCredentialsService.php
deleted file mode 100644
index 78a47755..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_CheckAuthenticatorCredentialsService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['security.listener.check_authenticator_credentials'] = new \Symfony\Component\Security\Http\EventListener\CheckCredentialsListener(($container->privates['security.password_hasher_factory'] ?? $container->load('getSecurity_PasswordHasherFactoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_CsrfProtectionService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_CsrfProtectionService.php
deleted file mode 100644
index 6f831a39..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_CsrfProtectionService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['security.listener.csrf_protection'] = new \Symfony\Component\Security\Http\EventListener\CsrfProtectionListener(($container->privates['security.csrf.token_manager'] ?? $container->load('getSecurity_Csrf_TokenManagerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_Main_UserProviderService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_Main_UserProviderService.php
deleted file mode 100644
index 7db7df69..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_Main_UserProviderService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['security.listener.main.user_provider'] = new \Symfony\Component\Security\Http\EventListener\UserProviderListener(($container->privates['security.user.provider.concrete.app_user_provider'] ?? $container->load('getSecurity_User_Provider_Concrete_AppUserProviderService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_PasswordMigratingService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_PasswordMigratingService.php
deleted file mode 100644
index acb74b2c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_PasswordMigratingService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['security.listener.password_migrating'] = new \Symfony\Component\Security\Http\EventListener\PasswordMigratingListener(($container->privates['security.password_hasher_factory'] ?? $container->load('getSecurity_PasswordHasherFactoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_Session_MainService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_Session_MainService.php
deleted file mode 100644
index cf9d68f3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_Session_MainService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['security.listener.session.main'] = new \Symfony\Component\Security\Http\EventListener\SessionStrategyListener(new \Symfony\Component\Security\Http\Session\SessionAuthenticationStrategy('migrate', ($container->privates['security.csrf.token_storage'] ?? $container->load('getSecurity_Csrf_TokenStorageService'))));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_ApiService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_ApiService.php
deleted file mode 100644
index 98aac427..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_ApiService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['security.listener.user_checker.api'] = new \Symfony\Component\Security\Http\EventListener\UserCheckerListener(($container->privates['security.user_checker'] ??= new \Symfony\Component\Security\Core\User\InMemoryUserChecker()));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_LoginService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_LoginService.php
deleted file mode 100644
index 210034ff..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_LoginService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['security.listener.user_checker.login'] = new \Symfony\Component\Security\Http\EventListener\UserCheckerListener(($container->privates['security.user_checker'] ??= new \Symfony\Component\Security\Core\User\InMemoryUserChecker()));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_MainService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_MainService.php
deleted file mode 100644
index 936e2294..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserChecker_MainService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['security.listener.user_checker.main'] = new \Symfony\Component\Security\Http\EventListener\UserCheckerListener(($container->privates['security.user_checker'] ??= new \Symfony\Component\Security\Core\User\InMemoryUserChecker()));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserProviderService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserProviderService.php
deleted file mode 100644
index 2f2a00ed..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Listener_UserProviderService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['security.listener.user_provider'] = new \Symfony\Component\Security\Http\EventListener\UserProviderListener(($container->privates['security.user.provider.concrete.app_user_provider'] ?? $container->load('getSecurity_User_Provider_Concrete_AppUserProviderService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Logout_Listener_CsrfTokenClearingService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Logout_Listener_CsrfTokenClearingService.php
deleted file mode 100644
index f8f798ae..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Logout_Listener_CsrfTokenClearingService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['security.logout.listener.csrf_token_clearing'] = new \Symfony\Component\Security\Http\EventListener\CsrfTokenClearingLogoutListener(($container->privates['security.csrf.token_storage'] ?? $container->load('getSecurity_Csrf_TokenStorageService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_PasswordHasherFactoryService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_PasswordHasherFactoryService.php
deleted file mode 100644
index 1e1e7c31..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_PasswordHasherFactoryService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['security.password_hasher_factory'] = new \Symfony\Component\PasswordHasher\Hasher\PasswordHasherFactory(['Symfony\\Component\\Security\\Core\\User\\PasswordAuthenticatedUserInterface' => ['algorithm' => 'auto', 'migrate_from' => [], 'hash_algorithm' => 'sha512', 'key_length' => 40, 'ignore_case' => false, 'encode_as_base64' => true, 'iterations' => 5000, 'cost' => NULL, 'memory_cost' => NULL, 'time_cost' => NULL]]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_UserCheckerService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_UserCheckerService.php
deleted file mode 100644
index 6b3bad51..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_UserCheckerService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['security.user_checker'] = new \Symfony\Component\Security\Core\User\InMemoryUserChecker();
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_UserPasswordHasherService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_UserPasswordHasherService.php
deleted file mode 100644
index 2a9f5ad6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_UserPasswordHasherService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['security.user_password_hasher'] = new \Symfony\Component\PasswordHasher\Hasher\UserPasswordHasher(($container->privates['security.password_hasher_factory'] ?? $container->load('getSecurity_PasswordHasherFactoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_User_Provider_Concrete_AppUserProviderService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_User_Provider_Concrete_AppUserProviderService.php
deleted file mode 100644
index d8947301..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_User_Provider_Concrete_AppUserProviderService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['security.user.provider.concrete.app_user_provider'] = new \Symfony\Bridge\Doctrine\Security\User\EntityUserProvider(($container->services['doctrine'] ?? $container->load('getDoctrineService')), 'DMD\\LaLigaApi\\Entity\\User', 'email', NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSecurity_Validator_UserPasswordService.php b/var/cache/dev/ContainerDm8zrDD/getSecurity_Validator_UserPasswordService.php
deleted file mode 100644
index 992976bc..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSecurity_Validator_UserPasswordService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['security.validator.user_password'] = new \Symfony\Component\Security\Core\Validator\Constraints\UserPasswordValidator(($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container)), ($container->privates['security.password_hasher_factory'] ?? $container->load('getSecurity_PasswordHasherFactoryService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getServicesResetterService.php b/var/cache/dev/ContainerDm8zrDD/getServicesResetterService.php
deleted file mode 100644
index 292d107d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getServicesResetterService.php
+++ /dev/null
@@ -1,86 +0,0 @@
-services['services_resetter'] = new \Symfony\Component\HttpKernel\DependencyInjection\ServicesResetter(new RewindableGenerator(function () use ($container) {
- if (isset($container->services['cache.app'])) {
- yield 'cache.app' => ($container->services['cache.app'] ?? null);
- }
- if (isset($container->services['cache.system'])) {
- yield 'cache.system' => ($container->services['cache.system'] ?? null);
- }
- if (false) {
- yield 'cache.validator' => null;
- }
- if (false) {
- yield 'cache.serializer' => null;
- }
- if (false) {
- yield 'cache.annotations' => null;
- }
- if (false) {
- yield 'cache.property_info' => null;
- }
- if (isset($container->privates['mailer.message_logger_listener'])) {
- yield 'mailer.message_logger_listener' => ($container->privates['mailer.message_logger_listener'] ?? null);
- }
- if (isset($container->privates['debug.stopwatch'])) {
- yield 'debug.stopwatch' => ($container->privates['debug.stopwatch'] ?? null);
- }
- if (isset($container->services['event_dispatcher'])) {
- yield 'debug.event_dispatcher' => ($container->services['event_dispatcher'] ?? null);
- }
- if (isset($container->privates['session_listener'])) {
- yield 'session_listener' => ($container->privates['session_listener'] ?? null);
- }
- if (isset($container->services['cache.validator_expression_language'])) {
- yield 'cache.validator_expression_language' => ($container->services['cache.validator_expression_language'] ?? null);
- }
- if (isset($container->services['doctrine'])) {
- yield 'doctrine' => ($container->services['doctrine'] ?? null);
- }
- if (isset($container->privates['doctrine.debug_data_holder'])) {
- yield 'doctrine.debug_data_holder' => ($container->privates['doctrine.debug_data_holder'] ?? null);
- }
- if (isset($container->privates['security.token_storage'])) {
- yield 'security.token_storage' => ($container->privates['security.token_storage'] ?? null);
- }
- if (false) {
- yield 'cache.security_expression_language' => null;
- }
- if (isset($container->services['cache.security_is_granted_attribute_expression_language'])) {
- yield 'cache.security_is_granted_attribute_expression_language' => ($container->services['cache.security_is_granted_attribute_expression_language'] ?? null);
- }
- if (isset($container->privates['debug.security.firewall'])) {
- yield 'debug.security.firewall' => ($container->privates['debug.security.firewall'] ?? null);
- }
- if (isset($container->privates['debug.security.firewall.authenticator.login'])) {
- yield 'debug.security.firewall.authenticator.login' => ($container->privates['debug.security.firewall.authenticator.login'] ?? null);
- }
- if (isset($container->privates['debug.security.firewall.authenticator.api'])) {
- yield 'debug.security.firewall.authenticator.api' => ($container->privates['debug.security.firewall.authenticator.api'] ?? null);
- }
- if (isset($container->privates['debug.security.firewall.authenticator.main'])) {
- yield 'debug.security.firewall.authenticator.main' => ($container->privates['debug.security.firewall.authenticator.main'] ?? null);
- }
- }, fn () => 0 + (int) (isset($container->services['cache.app'])) + (int) (isset($container->services['cache.system'])) + (int) (false) + (int) (false) + (int) (false) + (int) (false) + (int) (isset($container->privates['mailer.message_logger_listener'])) + (int) (isset($container->privates['debug.stopwatch'])) + (int) (isset($container->services['event_dispatcher'])) + (int) (isset($container->privates['session_listener'])) + (int) (isset($container->services['cache.validator_expression_language'])) + (int) (isset($container->services['doctrine'])) + (int) (isset($container->privates['doctrine.debug_data_holder'])) + (int) (isset($container->privates['security.token_storage'])) + (int) (false) + (int) (isset($container->services['cache.security_is_granted_attribute_expression_language'])) + (int) (isset($container->privates['debug.security.firewall'])) + (int) (isset($container->privates['debug.security.firewall.authenticator.login'])) + (int) (isset($container->privates['debug.security.firewall.authenticator.api'])) + (int) (isset($container->privates['debug.security.firewall.authenticator.main']))), ['cache.app' => ['reset'], 'cache.system' => ['reset'], 'cache.validator' => ['reset'], 'cache.serializer' => ['reset'], 'cache.annotations' => ['reset'], 'cache.property_info' => ['reset'], 'mailer.message_logger_listener' => ['reset'], 'debug.stopwatch' => ['reset'], 'debug.event_dispatcher' => ['reset'], 'session_listener' => ['reset'], 'cache.validator_expression_language' => ['reset'], 'doctrine' => ['reset'], 'doctrine.debug_data_holder' => ['reset'], 'security.token_storage' => ['disableUsageTracking', 'setToken'], 'cache.security_expression_language' => ['reset'], 'cache.security_is_granted_attribute_expression_language' => ['reset'], 'debug.security.firewall' => ['reset'], 'debug.security.firewall.authenticator.login' => ['reset'], 'debug.security.firewall.authenticator.api' => ['reset'], 'debug.security.firewall.authenticator.main' => ['reset']]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSession_FactoryService.php b/var/cache/dev/ContainerDm8zrDD/getSession_FactoryService.php
deleted file mode 100644
index 11eae1fc..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSession_FactoryService.php
+++ /dev/null
@@ -1,36 +0,0 @@
-privates['session_listener'] ?? self::getSessionListenerService($container));
-
- if (isset($container->privates['session.factory'])) {
- return $container->privates['session.factory'];
- }
-
- return $container->privates['session.factory'] = new \Symfony\Component\HttpFoundation\Session\SessionFactory(($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack()), new \Symfony\Component\HttpFoundation\Session\Storage\NativeSessionStorageFactory($container->parameters['session.storage.options'], ($container->privates['session.handler.native'] ?? $container->load('getSession_Handler_NativeService')), new \Symfony\Component\HttpFoundation\Session\Storage\MetadataBag('_sf2_meta', 0), true), [$a, 'onSessionUsage']);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getSession_Handler_NativeService.php b/var/cache/dev/ContainerDm8zrDD/getSession_Handler_NativeService.php
deleted file mode 100644
index ca947a57..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getSession_Handler_NativeService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['session.handler.native'] = new \Symfony\Component\HttpFoundation\Session\Storage\Handler\StrictSessionHandler(new \SessionHandler());
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTeamRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getTeamRepositoryService.php
deleted file mode 100644
index 71005eee..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTeamRepositoryService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\TeamRepository'] = new \DMD\LaLigaApi\Repository\TeamRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTemplateControllerService.php b/var/cache/dev/ContainerDm8zrDD/getTemplateControllerService.php
deleted file mode 100644
index 54850cd8..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTemplateControllerService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-services['Symfony\\Bundle\\FrameworkBundle\\Controller\\TemplateController'] = new \Symfony\Bundle\FrameworkBundle\Controller\TemplateController(($container->privates['twig'] ?? $container->load('getTwigService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTwigService.php b/var/cache/dev/ContainerDm8zrDD/getTwigService.php
deleted file mode 100644
index 8042c799..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTwigService.php
+++ /dev/null
@@ -1,110 +0,0 @@
-addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle/Resources/views'), 'Doctrine');
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-bundle/Resources/views'), '!Doctrine');
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-migrations-bundle/Resources/views'), 'DoctrineMigrations');
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'doctrine'.\DIRECTORY_SEPARATOR.'doctrine-migrations-bundle/Resources/views'), '!DoctrineMigrations');
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-bundle/Resources/views'), 'Security');
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'security-bundle/Resources/views'), '!Security');
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'api-doc-bundle/Resources/views'), 'NelmioApiDoc');
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'nelmio'.\DIRECTORY_SEPARATOR.'api-doc-bundle/Resources/views'), '!NelmioApiDoc');
- $a->addPath((\dirname(__DIR__, 4).'/templates'));
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'twig-bridge/Resources/views/Email'), 'email');
- $a->addPath((\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'twig-bridge/Resources/views/Email'), '!email');
-
- $container->privates['twig'] = $instance = new \Twig\Environment($a, ['autoescape' => 'name', 'cache' => ($container->targetDir.''.'/twig'), 'charset' => 'UTF-8', 'debug' => true, 'strict_variables' => true]);
-
- $b = ($container->services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack());
- $c = ($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container));
- $d = ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true));
- $e = ($container->services['router'] ?? self::getRouterService($container));
- $f = new \Symfony\Bridge\Twig\AppVariable();
- $f->setEnvironment('dev');
- $f->setDebug(true);
- $f->setTokenStorage($c);
- if ($container->has('request_stack')) {
- $f->setRequestStack($b);
- }
-
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\CsrfExtension());
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\LogoutUrlExtension(($container->privates['security.logout_url_generator'] ?? self::getSecurity_LogoutUrlGeneratorService($container))));
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\SecurityExtension(($container->privates['security.authorization_checker'] ?? self::getSecurity_AuthorizationCheckerService($container)), new \Symfony\Component\Security\Http\Impersonate\ImpersonateUrlGenerator($b, ($container->privates['security.firewall.map'] ?? self::getSecurity_Firewall_MapService($container)), $c)));
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\ProfilerExtension(new \Twig\Profiler\Profile(), $d));
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\TranslationExtension(NULL));
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\CodeExtension(($container->privates['debug.file_link_formatter'] ??= new \Symfony\Component\HttpKernel\Debug\FileLinkFormatter($container->getEnv('default::SYMFONY_IDE'))), \dirname(__DIR__, 4), 'UTF-8'));
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\RoutingExtension($e));
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\YamlExtension());
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\StopwatchExtension($d, true));
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\HttpKernelExtension());
- $instance->addExtension(new \Symfony\Bridge\Twig\Extension\HttpFoundationExtension(new \Symfony\Component\HttpFoundation\UrlHelper($b, $e)));
- $instance->addExtension(new \Doctrine\Bundle\DoctrineBundle\Twig\DoctrineExtension());
- $instance->addExtension(new \Twig\Extension\DebugExtension());
- $instance->addGlobal('app', $f);
- $instance->addRuntimeLoader(new \Twig\RuntimeLoader\ContainerRuntimeLoader(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'Symfony\\Bridge\\Twig\\Extension\\CsrfRuntime' => ['privates', 'twig.runtime.security_csrf', 'getTwig_Runtime_SecurityCsrfService', true],
- 'Symfony\\Bridge\\Twig\\Extension\\HttpKernelRuntime' => ['privates', 'twig.runtime.httpkernel', 'getTwig_Runtime_HttpkernelService', true],
- ], [
- 'Symfony\\Bridge\\Twig\\Extension\\CsrfRuntime' => '?',
- 'Symfony\\Bridge\\Twig\\Extension\\HttpKernelRuntime' => '?',
- ])));
- (new \Symfony\Bundle\TwigBundle\DependencyInjection\Configurator\EnvironmentConfigurator('F j, Y H:i', '%d days', NULL, 0, '.', ','))->configure($instance);
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTwig_Command_DebugService.php b/var/cache/dev/ContainerDm8zrDD/getTwig_Command_DebugService.php
deleted file mode 100644
index 6a840e4e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTwig_Command_DebugService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['twig.command.debug'] = $instance = new \Symfony\Bridge\Twig\Command\DebugCommand(($container->privates['twig'] ?? $container->load('getTwigService')), \dirname(__DIR__, 4), $container->parameters['kernel.bundles_metadata'], (\dirname(__DIR__, 4).'/templates'), ($container->privates['debug.file_link_formatter'] ??= new \Symfony\Component\HttpKernel\Debug\FileLinkFormatter($container->getEnv('default::SYMFONY_IDE'))));
-
- $instance->setName('debug:twig');
- $instance->setDescription('Show a list of twig functions, filters, globals and tests');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTwig_Command_LintService.php b/var/cache/dev/ContainerDm8zrDD/getTwig_Command_LintService.php
deleted file mode 100644
index 47571a23..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTwig_Command_LintService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['twig.command.lint'] = $instance = new \Symfony\Bundle\TwigBundle\Command\LintCommand(($container->privates['twig'] ?? $container->load('getTwigService')), ['*.twig']);
-
- $instance->setName('lint:twig');
- $instance->setDescription('Lint a Twig template and outputs encountered errors');
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTwig_Mailer_MessageListenerService.php b/var/cache/dev/ContainerDm8zrDD/getTwig_Mailer_MessageListenerService.php
deleted file mode 100644
index 9e30f477..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTwig_Mailer_MessageListenerService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['twig'] ?? $container->load('getTwigService'));
-
- if (isset($container->privates['twig.mailer.message_listener'])) {
- return $container->privates['twig.mailer.message_listener'];
- }
-
- return $container->privates['twig.mailer.message_listener'] = new \Symfony\Component\Mailer\EventListener\MessageListener(NULL, new \Symfony\Bridge\Twig\Mime\BodyRenderer($a));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTwig_Runtime_HttpkernelService.php b/var/cache/dev/ContainerDm8zrDD/getTwig_Runtime_HttpkernelService.php
deleted file mode 100644
index 76f0f1d8..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTwig_Runtime_HttpkernelService.php
+++ /dev/null
@@ -1,36 +0,0 @@
-services['request_stack'] ??= new \Symfony\Component\HttpFoundation\RequestStack());
-
- return $container->privates['twig.runtime.httpkernel'] = new \Symfony\Bridge\Twig\Extension\HttpKernelRuntime(new \Symfony\Component\HttpKernel\DependencyInjection\LazyLoadingFragmentHandler(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'inline' => ['privates', 'fragment.renderer.inline', 'getFragment_Renderer_InlineService', true],
- ], [
- 'inline' => '?',
- ]), $a, true), new \Symfony\Component\HttpKernel\Fragment\FragmentUriGenerator('/_fragment', new \Symfony\Component\HttpKernel\UriSigner($container->getEnv('APP_SECRET')), $a));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTwig_Runtime_SecurityCsrfService.php b/var/cache/dev/ContainerDm8zrDD/getTwig_Runtime_SecurityCsrfService.php
deleted file mode 100644
index 157b6e8d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTwig_Runtime_SecurityCsrfService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['twig.runtime.security_csrf'] = new \Symfony\Bridge\Twig\Extension\CsrfRuntime(($container->privates['security.csrf.token_manager'] ?? $container->load('getSecurity_Csrf_TokenManagerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getTwig_TemplateCacheWarmerService.php b/var/cache/dev/ContainerDm8zrDD/getTwig_TemplateCacheWarmerService.php
deleted file mode 100644
index 71bb8f10..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getTwig_TemplateCacheWarmerService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['twig.template_cache_warmer'] = new \Symfony\Bundle\TwigBundle\CacheWarmer\TemplateCacheWarmer((new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'twig' => ['privates', 'twig', 'getTwigService', true],
- ], [
- 'twig' => 'Twig\\Environment',
- ]))->withContext('twig.template_cache_warmer', $container), new \Symfony\Bundle\TwigBundle\TemplateIterator(($container->services['kernel'] ?? $container->get('kernel', 1)), [(\dirname(__DIR__, 4).''.\DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR.'symfony'.\DIRECTORY_SEPARATOR.'twig-bridge/Resources/views/Email') => 'email'], (\dirname(__DIR__, 4).'/templates'), []));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getUserControllerService.php b/var/cache/dev/ContainerDm8zrDD/getUserControllerService.php
deleted file mode 100644
index 94629162..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getUserControllerService.php
+++ /dev/null
@@ -1,30 +0,0 @@
-services['DMD\\LaLigaApi\\Controller\\UserController'] = $instance = new \DMD\LaLigaApi\Controller\UserController();
-
- $instance->setContainer(($container->privates['.service_locator.O2p6Lk7'] ?? $container->load('get_ServiceLocator_O2p6Lk7Service'))->withContext('DMD\\LaLigaApi\\Controller\\UserController', $container));
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getUserRepositoryService.php b/var/cache/dev/ContainerDm8zrDD/getUserRepositoryService.php
deleted file mode 100644
index 5abd812c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getUserRepositoryService.php
+++ /dev/null
@@ -1,32 +0,0 @@
-privates['DMD\\LaLigaApi\\Repository\\UserRepository'] = new \DMD\LaLigaApi\Repository\UserRepository(($container->services['doctrine'] ?? $container->load('getDoctrineService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getUserSaverService.php b/var/cache/dev/ContainerDm8zrDD/getUserSaverService.php
deleted file mode 100644
index 21cb8de4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getUserSaverService.php
+++ /dev/null
@@ -1,25 +0,0 @@
-privates['DMD\\LaLigaApi\\Service\\User\\Handlers\\UserSaver'] = new \DMD\LaLigaApi\Service\User\Handlers\UserSaver(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), ($container->privates['security.user_password_hasher'] ?? $container->load('getSecurity_UserPasswordHasherService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getValidatorService.php b/var/cache/dev/ContainerDm8zrDD/getValidatorService.php
deleted file mode 100644
index 84d7a9ac..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getValidatorService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['validator'] = ($container->privates['validator.builder'] ?? $container->load('getValidator_BuilderService'))->getValidator();
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getValidator_BuilderService.php b/var/cache/dev/ContainerDm8zrDD/getValidator_BuilderService.php
deleted file mode 100644
index d087dfa9..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getValidator_BuilderService.php
+++ /dev/null
@@ -1,68 +0,0 @@
-privates['validator.builder'] = $instance = \Symfony\Component\Validator\Validation::createValidatorBuilder();
-
- $a = ($container->privates['property_info'] ?? $container->load('getPropertyInfoService'));
-
- $instance->setConstraintValidatorFactory(new \Symfony\Component\Validator\ContainerConstraintValidatorFactory(new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'Symfony\\Bridge\\Doctrine\\Validator\\Constraints\\UniqueEntityValidator' => ['privates', 'doctrine.orm.validator.unique', 'getDoctrine_Orm_Validator_UniqueService', true],
- 'Symfony\\Component\\Security\\Core\\Validator\\Constraints\\UserPasswordValidator' => ['privates', 'security.validator.user_password', 'getSecurity_Validator_UserPasswordService', true],
- 'Symfony\\Component\\Validator\\Constraints\\EmailValidator' => ['privates', 'validator.email', 'getValidator_EmailService', true],
- 'Symfony\\Component\\Validator\\Constraints\\ExpressionValidator' => ['privates', 'validator.expression', 'getValidator_ExpressionService', true],
- 'Symfony\\Component\\Validator\\Constraints\\NoSuspiciousCharactersValidator' => ['privates', 'validator.no_suspicious_characters', 'getValidator_NoSuspiciousCharactersService', true],
- 'Symfony\\Component\\Validator\\Constraints\\NotCompromisedPasswordValidator' => ['privates', 'validator.not_compromised_password', 'getValidator_NotCompromisedPasswordService', true],
- 'Symfony\\Component\\Validator\\Constraints\\WhenValidator' => ['privates', 'validator.when', 'getValidator_WhenService', true],
- 'doctrine.orm.validator.unique' => ['privates', 'doctrine.orm.validator.unique', 'getDoctrine_Orm_Validator_UniqueService', true],
- 'security.validator.user_password' => ['privates', 'security.validator.user_password', 'getSecurity_Validator_UserPasswordService', true],
- 'validator.expression' => ['privates', 'validator.expression', 'getValidator_ExpressionService', true],
- ], [
- 'Symfony\\Bridge\\Doctrine\\Validator\\Constraints\\UniqueEntityValidator' => '?',
- 'Symfony\\Component\\Security\\Core\\Validator\\Constraints\\UserPasswordValidator' => '?',
- 'Symfony\\Component\\Validator\\Constraints\\EmailValidator' => '?',
- 'Symfony\\Component\\Validator\\Constraints\\ExpressionValidator' => '?',
- 'Symfony\\Component\\Validator\\Constraints\\NoSuspiciousCharactersValidator' => '?',
- 'Symfony\\Component\\Validator\\Constraints\\NotCompromisedPasswordValidator' => '?',
- 'Symfony\\Component\\Validator\\Constraints\\WhenValidator' => '?',
- 'doctrine.orm.validator.unique' => '?',
- 'security.validator.user_password' => '?',
- 'validator.expression' => '?',
- ])));
- $instance->setTranslationDomain('validators');
- $instance->enableAnnotationMapping(true);
- $instance->addMethodMapping('loadValidatorMetadata');
- $instance->addObjectInitializers([new \Symfony\Bridge\Doctrine\Validator\DoctrineInitializer(($container->services['doctrine'] ?? $container->load('getDoctrineService')))]);
- $instance->addLoader(new \Symfony\Component\Validator\Mapping\Loader\PropertyInfoLoader($a, $a, $a, NULL));
- $instance->addLoader(new \Symfony\Bridge\Doctrine\Validator\DoctrineLoader(($container->services['doctrine.orm.default_entity_manager'] ?? $container->load('getDoctrine_Orm_DefaultEntityManagerService')), NULL));
-
- return $instance;
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getValidator_EmailService.php b/var/cache/dev/ContainerDm8zrDD/getValidator_EmailService.php
deleted file mode 100644
index c23d6f60..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getValidator_EmailService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['validator.email'] = new \Symfony\Component\Validator\Constraints\EmailValidator('html5');
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getValidator_ExpressionService.php b/var/cache/dev/ContainerDm8zrDD/getValidator_ExpressionService.php
deleted file mode 100644
index 61a4e98a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getValidator_ExpressionService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['validator.expression'] = new \Symfony\Component\Validator\Constraints\ExpressionValidator(NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getValidator_Mapping_CacheWarmerService.php b/var/cache/dev/ContainerDm8zrDD/getValidator_Mapping_CacheWarmerService.php
deleted file mode 100644
index e779a117..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getValidator_Mapping_CacheWarmerService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['validator.mapping.cache_warmer'] = new \Symfony\Bundle\FrameworkBundle\CacheWarmer\ValidatorCacheWarmer(($container->privates['validator.builder'] ?? $container->load('getValidator_BuilderService')), ($container->targetDir.''.'/validation.php'));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getValidator_NoSuspiciousCharactersService.php b/var/cache/dev/ContainerDm8zrDD/getValidator_NoSuspiciousCharactersService.php
deleted file mode 100644
index fa713b99..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getValidator_NoSuspiciousCharactersService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['validator.no_suspicious_characters'] = new \Symfony\Component\Validator\Constraints\NoSuspiciousCharactersValidator([]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getValidator_NotCompromisedPasswordService.php b/var/cache/dev/ContainerDm8zrDD/getValidator_NotCompromisedPasswordService.php
deleted file mode 100644
index a3a621b3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getValidator_NotCompromisedPasswordService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['validator.not_compromised_password'] = new \Symfony\Component\Validator\Constraints\NotCompromisedPasswordValidator(NULL, 'UTF-8', true, NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/getValidator_WhenService.php b/var/cache/dev/ContainerDm8zrDD/getValidator_WhenService.php
deleted file mode 100644
index 7acf0dfd..00000000
--- a/var/cache/dev/ContainerDm8zrDD/getValidator_WhenService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['validator.when'] = new \Symfony\Component\Validator\Constraints\WhenValidator(NULL);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_About_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_About_LazyService.php
deleted file mode 100644
index 6d37397e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_About_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.about.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('about', [], 'Display information about the current project', false, #[\Closure(name: 'console.command.about', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\AboutCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\AboutCommand => ($container->privates['console.command.about'] ?? $container->load('getConsole_Command_AboutService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_AssetsInstall_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_AssetsInstall_LazyService.php
deleted file mode 100644
index 66df6562..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_AssetsInstall_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.assets_install.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('assets:install', [], 'Install bundle\'s web assets under a public directory', false, #[\Closure(name: 'console.command.assets_install', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\AssetsInstallCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\AssetsInstallCommand => ($container->privates['console.command.assets_install'] ?? $container->load('getConsole_Command_AssetsInstallService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CacheClear_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CacheClear_LazyService.php
deleted file mode 100644
index 3e537cda..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CacheClear_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.cache_clear.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('cache:clear', [], 'Clear the cache', false, #[\Closure(name: 'console.command.cache_clear', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\CacheClearCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\CacheClearCommand => ($container->privates['console.command.cache_clear'] ?? $container->load('getConsole_Command_CacheClearService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolClear_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolClear_LazyService.php
deleted file mode 100644
index 7d5a0cc5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolClear_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.cache_pool_clear.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('cache:pool:clear', [], 'Clear cache pools', false, #[\Closure(name: 'console.command.cache_pool_clear', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\CachePoolClearCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\CachePoolClearCommand => ($container->privates['console.command.cache_pool_clear'] ?? $container->load('getConsole_Command_CachePoolClearService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolDelete_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolDelete_LazyService.php
deleted file mode 100644
index b83a70cf..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolDelete_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.cache_pool_delete.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('cache:pool:delete', [], 'Delete an item from a cache pool', false, #[\Closure(name: 'console.command.cache_pool_delete', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\CachePoolDeleteCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\CachePoolDeleteCommand => ($container->privates['console.command.cache_pool_delete'] ?? $container->load('getConsole_Command_CachePoolDeleteService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolInvalidateTags_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolInvalidateTags_LazyService.php
deleted file mode 100644
index 149dd812..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolInvalidateTags_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.cache_pool_invalidate_tags.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('cache:pool:invalidate-tags', [], 'Invalidate cache tags for all or a specific pool', false, #[\Closure(name: 'console.command.cache_pool_invalidate_tags', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\CachePoolInvalidateTagsCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\CachePoolInvalidateTagsCommand => ($container->privates['console.command.cache_pool_invalidate_tags'] ?? $container->load('getConsole_Command_CachePoolInvalidateTagsService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolList_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolList_LazyService.php
deleted file mode 100644
index 5c757c09..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolList_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.cache_pool_list.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('cache:pool:list', [], 'List available cache pools', false, #[\Closure(name: 'console.command.cache_pool_list', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\CachePoolListCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\CachePoolListCommand => ($container->privates['console.command.cache_pool_list'] ?? $container->load('getConsole_Command_CachePoolListService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolPrune_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolPrune_LazyService.php
deleted file mode 100644
index faf132c5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CachePoolPrune_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.cache_pool_prune.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('cache:pool:prune', [], 'Prune cache pools', false, #[\Closure(name: 'console.command.cache_pool_prune', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\CachePoolPruneCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\CachePoolPruneCommand => ($container->privates['console.command.cache_pool_prune'] ?? $container->load('getConsole_Command_CachePoolPruneService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CacheWarmup_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CacheWarmup_LazyService.php
deleted file mode 100644
index 6091bc66..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_CacheWarmup_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.cache_warmup.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('cache:warmup', [], 'Warm up an empty cache', false, #[\Closure(name: 'console.command.cache_warmup', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\CacheWarmupCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\CacheWarmupCommand => ($container->privates['console.command.cache_warmup'] ?? $container->load('getConsole_Command_CacheWarmupService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ConfigDebug_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ConfigDebug_LazyService.php
deleted file mode 100644
index 429d84eb..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ConfigDebug_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.config_debug.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:config', [], 'Dump the current configuration for an extension', false, #[\Closure(name: 'console.command.config_debug', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\ConfigDebugCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\ConfigDebugCommand => ($container->privates['console.command.config_debug'] ?? $container->load('getConsole_Command_ConfigDebugService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ConfigDumpReference_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ConfigDumpReference_LazyService.php
deleted file mode 100644
index 83914967..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ConfigDumpReference_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.config_dump_reference.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('config:dump-reference', [], 'Dump the default configuration for an extension', false, #[\Closure(name: 'console.command.config_dump_reference', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\ConfigDumpReferenceCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\ConfigDumpReferenceCommand => ($container->privates['console.command.config_dump_reference'] ?? $container->load('getConsole_Command_ConfigDumpReferenceService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ContainerDebug_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ContainerDebug_LazyService.php
deleted file mode 100644
index d07f8312..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ContainerDebug_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.container_debug.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:container', [], 'Display current services for an application', false, #[\Closure(name: 'console.command.container_debug', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\ContainerDebugCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\ContainerDebugCommand => ($container->privates['console.command.container_debug'] ?? $container->load('getConsole_Command_ContainerDebugService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ContainerLint_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ContainerLint_LazyService.php
deleted file mode 100644
index 47a1a905..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ContainerLint_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.container_lint.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('lint:container', [], 'Ensure that arguments injected into services match type declarations', false, #[\Closure(name: 'console.command.container_lint', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\ContainerLintCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\ContainerLintCommand => ($container->privates['console.command.container_lint'] ?? $container->load('getConsole_Command_ContainerLintService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_DebugAutowiring_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_DebugAutowiring_LazyService.php
deleted file mode 100644
index fe4761d7..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_DebugAutowiring_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.debug_autowiring.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:autowiring', [], 'List classes/interfaces you can use for autowiring', false, #[\Closure(name: 'console.command.debug_autowiring', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\DebugAutowiringCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\DebugAutowiringCommand => ($container->privates['console.command.debug_autowiring'] ?? $container->load('getConsole_Command_DebugAutowiringService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_DotenvDebug_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_DotenvDebug_LazyService.php
deleted file mode 100644
index 8685bfe3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_DotenvDebug_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.dotenv_debug.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:dotenv', [], 'Lists all dotenv files with variables and values', false, #[\Closure(name: 'console.command.dotenv_debug', class: 'Symfony\\Component\\Dotenv\\Command\\DebugCommand')] fn (): \Symfony\Component\Dotenv\Command\DebugCommand => ($container->privates['console.command.dotenv_debug'] ?? $container->load('getConsole_Command_DotenvDebugService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_EventDispatcherDebug_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_EventDispatcherDebug_LazyService.php
deleted file mode 100644
index 2aaf6b07..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_EventDispatcherDebug_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.event_dispatcher_debug.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:event-dispatcher', [], 'Display configured listeners for an application', false, #[\Closure(name: 'console.command.event_dispatcher_debug', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\EventDispatcherDebugCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\EventDispatcherDebugCommand => ($container->privates['console.command.event_dispatcher_debug'] ?? $container->load('getConsole_Command_EventDispatcherDebugService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_MailerTest_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_MailerTest_LazyService.php
deleted file mode 100644
index e0827101..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_MailerTest_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.mailer_test.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('mailer:test', [], 'Test Mailer transports by sending an email', false, #[\Closure(name: 'console.command.mailer_test', class: 'Symfony\\Component\\Mailer\\Command\\MailerTestCommand')] fn (): \Symfony\Component\Mailer\Command\MailerTestCommand => ($container->privates['console.command.mailer_test'] ?? $container->load('getConsole_Command_MailerTestService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_RouterDebug_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_RouterDebug_LazyService.php
deleted file mode 100644
index 90a7c896..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_RouterDebug_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.router_debug.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:router', [], 'Display current routes for an application', false, #[\Closure(name: 'console.command.router_debug', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\RouterDebugCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\RouterDebugCommand => ($container->privates['console.command.router_debug'] ?? $container->load('getConsole_Command_RouterDebugService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_RouterMatch_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_RouterMatch_LazyService.php
deleted file mode 100644
index 5e17ba87..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_RouterMatch_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.router_match.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('router:match', [], 'Help debug routes by simulating a path info match', false, #[\Closure(name: 'console.command.router_match', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\RouterMatchCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\RouterMatchCommand => ($container->privates['console.command.router_match'] ?? $container->load('getConsole_Command_RouterMatchService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsDecryptToLocal_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsDecryptToLocal_LazyService.php
deleted file mode 100644
index ed813458..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsDecryptToLocal_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.secrets_decrypt_to_local.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('secrets:decrypt-to-local', [], 'Decrypt all secrets and stores them in the local vault', false, #[\Closure(name: 'console.command.secrets_decrypt_to_local', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\SecretsDecryptToLocalCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\SecretsDecryptToLocalCommand => ($container->privates['console.command.secrets_decrypt_to_local'] ?? $container->load('getConsole_Command_SecretsDecryptToLocalService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsEncryptFromLocal_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsEncryptFromLocal_LazyService.php
deleted file mode 100644
index 8f6efb66..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsEncryptFromLocal_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.secrets_encrypt_from_local.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('secrets:encrypt-from-local', [], 'Encrypt all local secrets to the vault', false, #[\Closure(name: 'console.command.secrets_encrypt_from_local', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\SecretsEncryptFromLocalCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\SecretsEncryptFromLocalCommand => ($container->privates['console.command.secrets_encrypt_from_local'] ?? $container->load('getConsole_Command_SecretsEncryptFromLocalService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsGenerateKey_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsGenerateKey_LazyService.php
deleted file mode 100644
index 82445688..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsGenerateKey_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.secrets_generate_key.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('secrets:generate-keys', [], 'Generate new encryption keys', false, #[\Closure(name: 'console.command.secrets_generate_key', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\SecretsGenerateKeysCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\SecretsGenerateKeysCommand => ($container->privates['console.command.secrets_generate_key'] ?? $container->load('getConsole_Command_SecretsGenerateKeyService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsList_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsList_LazyService.php
deleted file mode 100644
index d1d712f7..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsList_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.secrets_list.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('secrets:list', [], 'List all secrets', false, #[\Closure(name: 'console.command.secrets_list', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\SecretsListCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\SecretsListCommand => ($container->privates['console.command.secrets_list'] ?? $container->load('getConsole_Command_SecretsListService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsRemove_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsRemove_LazyService.php
deleted file mode 100644
index c9691de6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsRemove_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.secrets_remove.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('secrets:remove', [], 'Remove a secret from the vault', false, #[\Closure(name: 'console.command.secrets_remove', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\SecretsRemoveCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\SecretsRemoveCommand => ($container->privates['console.command.secrets_remove'] ?? $container->load('getConsole_Command_SecretsRemoveService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsSet_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsSet_LazyService.php
deleted file mode 100644
index 02a6839f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_SecretsSet_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.secrets_set.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('secrets:set', [], 'Set a secret in the vault', false, #[\Closure(name: 'console.command.secrets_set', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\SecretsSetCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\SecretsSetCommand => ($container->privates['console.command.secrets_set'] ?? $container->load('getConsole_Command_SecretsSetService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ValidatorDebug_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ValidatorDebug_LazyService.php
deleted file mode 100644
index 6266bb84..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_ValidatorDebug_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.validator_debug.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:validator', [], 'Display validation constraints for classes', false, #[\Closure(name: 'console.command.validator_debug', class: 'Symfony\\Component\\Validator\\Command\\DebugCommand')] fn (): \Symfony\Component\Validator\Command\DebugCommand => ($container->privates['console.command.validator_debug'] ?? $container->load('getConsole_Command_ValidatorDebugService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_YamlLint_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Console_Command_YamlLint_LazyService.php
deleted file mode 100644
index 2ecc9c7a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Console_Command_YamlLint_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.console.command.yaml_lint.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('lint:yaml', [], 'Lint a YAML file and outputs encountered errors', false, #[\Closure(name: 'console.command.yaml_lint', class: 'Symfony\\Bundle\\FrameworkBundle\\Command\\YamlLintCommand')] fn (): \Symfony\Bundle\FrameworkBundle\Command\YamlLintCommand => ($container->privates['console.command.yaml_lint'] ?? $container->load('getConsole_Command_YamlLintService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_Security_Voter_Security_Access_AuthenticatedVoterService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_Security_Voter_Security_Access_AuthenticatedVoterService.php
deleted file mode 100644
index 1fe47a36..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_Security_Voter_Security_Access_AuthenticatedVoterService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-services['event_dispatcher'] ?? self::getEventDispatcherService($container));
-
- if (isset($container->privates['.debug.security.voter.security.access.authenticated_voter'])) {
- return $container->privates['.debug.security.voter.security.access.authenticated_voter'];
- }
-
- return $container->privates['.debug.security.voter.security.access.authenticated_voter'] = new \Symfony\Component\Security\Core\Authorization\Voter\TraceableVoter(new \Symfony\Component\Security\Core\Authorization\Voter\AuthenticatedVoter(($container->privates['security.authentication.trust_resolver'] ??= new \Symfony\Component\Security\Core\Authentication\AuthenticationTrustResolver())), $a);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_Security_Voter_Security_Access_SimpleRoleVoterService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_Security_Voter_Security_Access_SimpleRoleVoterService.php
deleted file mode 100644
index be88e421..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_Security_Voter_Security_Access_SimpleRoleVoterService.php
+++ /dev/null
@@ -1,34 +0,0 @@
-services['event_dispatcher'] ?? self::getEventDispatcherService($container));
-
- if (isset($container->privates['.debug.security.voter.security.access.simple_role_voter'])) {
- return $container->privates['.debug.security.voter.security.access.simple_role_voter'];
- }
-
- return $container->privates['.debug.security.voter.security.access.simple_role_voter'] = new \Symfony\Component\Security\Core\Authorization\Voter\TraceableVoter(new \Symfony\Component\Security\Core\Authorization\Voter\RoleVoter(), $a);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_BackedEnumResolverService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_BackedEnumResolverService.php
deleted file mode 100644
index 23b620d5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_BackedEnumResolverService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.backed_enum_resolver'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\BackedEnumValueResolver(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_DatetimeService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_DatetimeService.php
deleted file mode 100644
index 1eb9f173..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_DatetimeService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.datetime'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\DateTimeValueResolver(new \Symfony\Component\Clock\Clock()), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_DefaultService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_DefaultService.php
deleted file mode 100644
index 34ee1897..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_DefaultService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.default'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\DefaultValueResolver(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_NotTaggedControllerService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_NotTaggedControllerService.php
deleted file mode 100644
index f82e792c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_NotTaggedControllerService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.not_tagged_controller'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\NotTaggedControllerValueResolver(($container->privates['.service_locator.XUV_YF_'] ?? $container->load('get_ServiceLocator_XUVYFService'))), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_QueryParameterValueResolverService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_QueryParameterValueResolverService.php
deleted file mode 100644
index 5560ee55..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_QueryParameterValueResolverService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.query_parameter_value_resolver'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\QueryParameterValueResolver(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestAttributeService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestAttributeService.php
deleted file mode 100644
index 622ea1aa..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestAttributeService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.request_attribute'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\RequestAttributeValueResolver(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestPayloadService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestPayloadService.php
deleted file mode 100644
index c24e8a1f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestPayloadService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.request_payload'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(throw new RuntimeException('You can neither use "#[MapRequestPayload]" nor "#[MapQueryString]" since the Serializer component is not installed. Try running "composer require symfony/serializer-pack".'), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestService.php
deleted file mode 100644
index ad42742e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_RequestService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.request'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\RequestValueResolver(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_ServiceService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_ServiceService.php
deleted file mode 100644
index db919533..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_ServiceService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.service'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\ServiceValueResolver(($container->privates['.service_locator.XUV_YF_'] ?? $container->load('get_ServiceLocator_XUVYFService'))), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_SessionService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_SessionService.php
deleted file mode 100644
index 01ac8534..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_SessionService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.session'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\SessionValueResolver(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_VariadicService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_VariadicService.php
deleted file mode 100644
index 0e9504dd..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_ArgumentResolver_VariadicService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.argument_resolver.variadic'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\VariadicValueResolver(), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Doctrine_Orm_EntityValueResolverService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Doctrine_Orm_EntityValueResolverService.php
deleted file mode 100644
index 256c31d7..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Doctrine_Orm_EntityValueResolverService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.doctrine.orm.entity_value_resolver'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Bridge\Doctrine\ArgumentResolver\EntityValueResolver(($container->services['doctrine'] ?? $container->load('getDoctrineService')), NULL), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Security_SecurityTokenValueResolverService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Security_SecurityTokenValueResolverService.php
deleted file mode 100644
index 6667dcd5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Security_SecurityTokenValueResolverService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.security.security_token_value_resolver'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\Security\Http\Controller\SecurityTokenValueResolver(($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container))), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Security_UserValueResolverService.php b/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Security_UserValueResolverService.php
deleted file mode 100644
index 28e551d7..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Debug_ValueResolver_Security_UserValueResolverService.php
+++ /dev/null
@@ -1,28 +0,0 @@
-privates['.debug.value_resolver.security.user_value_resolver'] = new \Symfony\Component\HttpKernel\Controller\ArgumentResolver\TraceableValueResolver(new \Symfony\Component\Security\Http\Controller\UserValueResolver(($container->privates['security.token_storage'] ?? self::getSecurity_TokenStorageService($container))), ($container->privates['debug.stopwatch'] ??= new \Symfony\Component\Stopwatch\Stopwatch(true)));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_CurrentCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_CurrentCommand_LazyService.php
deleted file mode 100644
index f1ebbe14..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_CurrentCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.current_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:current', [], 'Outputs the current version', false, #[\Closure(name: 'doctrine_migrations.current_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\CurrentCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\CurrentCommand => ($container->privates['doctrine_migrations.current_command'] ?? $container->load('getDoctrineMigrations_CurrentCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_DiffCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_DiffCommand_LazyService.php
deleted file mode 100644
index 3f833a4e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_DiffCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.diff_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:diff', [], 'Generate a migration by comparing your current database to your mapping information.', false, #[\Closure(name: 'doctrine_migrations.diff_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\DiffCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\DiffCommand => ($container->privates['doctrine_migrations.diff_command'] ?? $container->load('getDoctrineMigrations_DiffCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_DumpSchemaCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_DumpSchemaCommand_LazyService.php
deleted file mode 100644
index 3cb6268f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_DumpSchemaCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.dump_schema_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:dump-schema', [], 'Dump the schema for your database to a migration.', false, #[\Closure(name: 'doctrine_migrations.dump_schema_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\DumpSchemaCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\DumpSchemaCommand => ($container->privates['doctrine_migrations.dump_schema_command'] ?? $container->load('getDoctrineMigrations_DumpSchemaCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_ExecuteCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_ExecuteCommand_LazyService.php
deleted file mode 100644
index e5a93971..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_ExecuteCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.execute_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:execute', [], 'Execute one or more migration versions up or down manually.', false, #[\Closure(name: 'doctrine_migrations.execute_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\ExecuteCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\ExecuteCommand => ($container->privates['doctrine_migrations.execute_command'] ?? $container->load('getDoctrineMigrations_ExecuteCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_GenerateCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_GenerateCommand_LazyService.php
deleted file mode 100644
index 3595c47e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_GenerateCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.generate_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:generate', [], 'Generate a blank migration class.', false, #[\Closure(name: 'doctrine_migrations.generate_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\GenerateCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\GenerateCommand => ($container->privates['doctrine_migrations.generate_command'] ?? $container->load('getDoctrineMigrations_GenerateCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_LatestCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_LatestCommand_LazyService.php
deleted file mode 100644
index af687334..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_LatestCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.latest_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:latest', [], 'Outputs the latest version', false, #[\Closure(name: 'doctrine_migrations.latest_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\LatestCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\LatestCommand => ($container->privates['doctrine_migrations.latest_command'] ?? $container->load('getDoctrineMigrations_LatestCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_MigrateCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_MigrateCommand_LazyService.php
deleted file mode 100644
index 37a6b0ab..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_MigrateCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.migrate_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:migrate', [], 'Execute a migration to a specified version or the latest available version.', false, #[\Closure(name: 'doctrine_migrations.migrate_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\MigrateCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\MigrateCommand => ($container->privates['doctrine_migrations.migrate_command'] ?? $container->load('getDoctrineMigrations_MigrateCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_RollupCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_RollupCommand_LazyService.php
deleted file mode 100644
index 9a1a4e96..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_RollupCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.rollup_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:rollup', [], 'Rollup migrations by deleting all tracked versions and insert the one version that exists.', false, #[\Closure(name: 'doctrine_migrations.rollup_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\RollupCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\RollupCommand => ($container->privates['doctrine_migrations.rollup_command'] ?? $container->load('getDoctrineMigrations_RollupCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_StatusCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_StatusCommand_LazyService.php
deleted file mode 100644
index d09041ea..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_StatusCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.status_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:status', [], 'View the status of a set of migrations.', false, #[\Closure(name: 'doctrine_migrations.status_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\StatusCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\StatusCommand => ($container->privates['doctrine_migrations.status_command'] ?? $container->load('getDoctrineMigrations_StatusCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_SyncMetadataCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_SyncMetadataCommand_LazyService.php
deleted file mode 100644
index d060a9b5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_SyncMetadataCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.sync_metadata_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:sync-metadata-storage', [], 'Ensures that the metadata storage is at the latest version.', false, #[\Closure(name: 'doctrine_migrations.sync_metadata_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\SyncMetadataCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\SyncMetadataCommand => ($container->privates['doctrine_migrations.sync_metadata_command'] ?? $container->load('getDoctrineMigrations_SyncMetadataCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_UpToDateCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_UpToDateCommand_LazyService.php
deleted file mode 100644
index 3998a977..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_UpToDateCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.up_to_date_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:up-to-date', [], 'Tells you if your schema is up-to-date.', false, #[\Closure(name: 'doctrine_migrations.up_to_date_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\UpToDateCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\UpToDateCommand => ($container->privates['doctrine_migrations.up_to_date_command'] ?? $container->load('getDoctrineMigrations_UpToDateCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_VersionCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_VersionCommand_LazyService.php
deleted file mode 100644
index f40ad149..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_VersionCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.version_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:version', [], 'Manually add and delete migration versions from the version table.', false, #[\Closure(name: 'doctrine_migrations.version_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\VersionCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\VersionCommand => ($container->privates['doctrine_migrations.version_command'] ?? $container->load('getDoctrineMigrations_VersionCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_VersionsCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_VersionsCommand_LazyService.php
deleted file mode 100644
index 9131bc22..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_DoctrineMigrations_VersionsCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.doctrine_migrations.versions_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('doctrine:migrations:list', [], 'Display a list of all available migrations and their status.', false, #[\Closure(name: 'doctrine_migrations.versions_command', class: 'Doctrine\\Migrations\\Tools\\Console\\Command\\ListCommand')] fn (): \Doctrine\Migrations\Tools\Console\Command\ListCommand => ($container->privates['doctrine_migrations.versions_command'] ?? $container->load('getDoctrineMigrations_VersionsCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_CheckConfigCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_CheckConfigCommand_LazyService.php
deleted file mode 100644
index b49004ce..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_CheckConfigCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.lexik_jwt_authentication.check_config_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('lexik:jwt:check-config', [], 'Checks that the bundle is properly configured.', false, #[\Closure(name: 'lexik_jwt_authentication.check_config_command', class: 'Lexik\\Bundle\\JWTAuthenticationBundle\\Command\\CheckConfigCommand')] fn (): \Lexik\Bundle\JWTAuthenticationBundle\Command\CheckConfigCommand => ($container->privates['lexik_jwt_authentication.check_config_command'] ?? $container->load('getLexikJwtAuthentication_CheckConfigCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_EnableEncryptionConfigCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_EnableEncryptionConfigCommand_LazyService.php
deleted file mode 100644
index 18a2b3a3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_EnableEncryptionConfigCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.lexik_jwt_authentication.enable_encryption_config_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('lexik:jwt:enable-encryption', [], 'Enable Web-Token encryption support.', false, #[\Closure(name: 'lexik_jwt_authentication.enable_encryption_config_command', class: 'Lexik\\Bundle\\JWTAuthenticationBundle\\Command\\EnableEncryptionConfigCommand')] fn (): \Lexik\Bundle\JWTAuthenticationBundle\Command\EnableEncryptionConfigCommand => ($container->privates['lexik_jwt_authentication.enable_encryption_config_command'] ?? $container->load('getLexikJwtAuthentication_EnableEncryptionConfigCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_GenerateKeypairCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_GenerateKeypairCommand_LazyService.php
deleted file mode 100644
index 484fa38d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_GenerateKeypairCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.lexik_jwt_authentication.generate_keypair_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('lexik:jwt:generate-keypair', [], 'Generate public/private keys for use in your application.', false, #[\Closure(name: 'lexik_jwt_authentication.generate_keypair_command', class: 'Lexik\\Bundle\\JWTAuthenticationBundle\\Command\\GenerateKeyPairCommand')] fn (): \Lexik\Bundle\JWTAuthenticationBundle\Command\GenerateKeyPairCommand => ($container->privates['lexik_jwt_authentication.generate_keypair_command'] ?? $container->load('getLexikJwtAuthentication_GenerateKeypairCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_GenerateTokenCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_GenerateTokenCommand_LazyService.php
deleted file mode 100644
index 028ca02f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_GenerateTokenCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.lexik_jwt_authentication.generate_token_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('lexik:jwt:generate-token', [], 'Generates a JWT token for a given user.', false, #[\Closure(name: 'lexik_jwt_authentication.generate_token_command', class: 'Lexik\\Bundle\\JWTAuthenticationBundle\\Command\\GenerateTokenCommand')] fn (): \Lexik\Bundle\JWTAuthenticationBundle\Command\GenerateTokenCommand => ($container->services['lexik_jwt_authentication.generate_token_command'] ?? $container->load('getLexikJwtAuthentication_GenerateTokenCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_MigrateConfigCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_MigrateConfigCommand_LazyService.php
deleted file mode 100644
index e1f9c042..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_LexikJwtAuthentication_MigrateConfigCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.lexik_jwt_authentication.migrate_config_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('lexik:jwt:migrate-config', [], 'Migrate LexikJWTAuthenticationBundle configuration to the Web-Token one.', false, #[\Closure(name: 'lexik_jwt_authentication.migrate_config_command', class: 'Lexik\\Bundle\\JWTAuthenticationBundle\\Command\\MigrateConfigCommand')] fn (): \Lexik\Bundle\JWTAuthenticationBundle\Command\MigrateConfigCommand => ($container->privates['lexik_jwt_authentication.migrate_config_command'] ?? $container->load('getLexikJwtAuthentication_MigrateConfigCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeAuth_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeAuth_LazyService.php
deleted file mode 100644
index c7f6237f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeAuth_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_auth.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:auth', [], 'Create a Guard authenticator of different flavors', false, #[\Closure(name: 'maker.auto_command.make_auth', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_auth'] ?? $container->load('getMaker_AutoCommand_MakeAuthService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeCommand_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeCommand_LazyService.php
deleted file mode 100644
index 5e67fa95..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeCommand_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_command.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:command', [], 'Create a new console command class', false, #[\Closure(name: 'maker.auto_command.make_command', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_command'] ?? $container->load('getMaker_AutoCommand_MakeCommandService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeController_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeController_LazyService.php
deleted file mode 100644
index 88abe19c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeController_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_controller.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:controller', [], 'Create a new controller class', false, #[\Closure(name: 'maker.auto_command.make_controller', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_controller'] ?? $container->load('getMaker_AutoCommand_MakeControllerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeCrud_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeCrud_LazyService.php
deleted file mode 100644
index 887d13b7..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeCrud_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_crud.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:crud', [], 'Create CRUD for Doctrine entity class', false, #[\Closure(name: 'maker.auto_command.make_crud', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_crud'] ?? $container->load('getMaker_AutoCommand_MakeCrudService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeDockerDatabase_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeDockerDatabase_LazyService.php
deleted file mode 100644
index 280ce9d3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeDockerDatabase_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_docker_database.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:docker:database', [], 'Add a database container to your compose.yaml file', false, #[\Closure(name: 'maker.auto_command.make_docker_database', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_docker_database'] ?? $container->load('getMaker_AutoCommand_MakeDockerDatabaseService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeEntity_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeEntity_LazyService.php
deleted file mode 100644
index 5561c2d0..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeEntity_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_entity.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:entity', [], 'Create or update a Doctrine entity class, and optionally an API Platform resource', false, #[\Closure(name: 'maker.auto_command.make_entity', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_entity'] ?? $container->load('getMaker_AutoCommand_MakeEntityService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeFixtures_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeFixtures_LazyService.php
deleted file mode 100644
index 34159449..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeFixtures_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_fixtures.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:fixtures', [], 'Create a new class to load Doctrine fixtures', false, #[\Closure(name: 'maker.auto_command.make_fixtures', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_fixtures'] ?? $container->load('getMaker_AutoCommand_MakeFixturesService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeForm_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeForm_LazyService.php
deleted file mode 100644
index c34efa8a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeForm_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_form.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:form', [], 'Create a new form class', false, #[\Closure(name: 'maker.auto_command.make_form', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_form'] ?? $container->load('getMaker_AutoCommand_MakeFormService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeListener_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeListener_LazyService.php
deleted file mode 100644
index 91bd2cc6..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeListener_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_listener.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:listener', ['make:subscriber'], 'Creates a new event subscriber class or a new event listener class', false, #[\Closure(name: 'maker.auto_command.make_listener', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_listener'] ?? $container->load('getMaker_AutoCommand_MakeListenerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMessage_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMessage_LazyService.php
deleted file mode 100644
index 5d1eef1b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMessage_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_message.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:message', [], 'Create a new message and handler', false, #[\Closure(name: 'maker.auto_command.make_message', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_message'] ?? $container->load('getMaker_AutoCommand_MakeMessageService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMessengerMiddleware_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMessengerMiddleware_LazyService.php
deleted file mode 100644
index f33c0d1d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMessengerMiddleware_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_messenger_middleware.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:messenger-middleware', [], 'Create a new messenger middleware', false, #[\Closure(name: 'maker.auto_command.make_messenger_middleware', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_messenger_middleware'] ?? $container->load('getMaker_AutoCommand_MakeMessengerMiddlewareService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMigration_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMigration_LazyService.php
deleted file mode 100644
index 20ea1792..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeMigration_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_migration.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:migration', [], 'Create a new migration based on database changes', false, #[\Closure(name: 'maker.auto_command.make_migration', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_migration'] ?? $container->load('getMaker_AutoCommand_MakeMigrationService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeRegistrationForm_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeRegistrationForm_LazyService.php
deleted file mode 100644
index 5130cf3e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeRegistrationForm_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_registration_form.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:registration-form', [], 'Create a new registration form system', false, #[\Closure(name: 'maker.auto_command.make_registration_form', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_registration_form'] ?? $container->load('getMaker_AutoCommand_MakeRegistrationFormService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeResetPassword_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeResetPassword_LazyService.php
deleted file mode 100644
index b09aa730..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeResetPassword_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_reset_password.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:reset-password', [], 'Create controller, entity, and repositories for use with symfonycasts/reset-password-bundle', false, #[\Closure(name: 'maker.auto_command.make_reset_password', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_reset_password'] ?? $container->load('getMaker_AutoCommand_MakeResetPasswordService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSecurityFormLogin_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSecurityFormLogin_LazyService.php
deleted file mode 100644
index c6b7f2a3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSecurityFormLogin_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_security_form_login.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:security:form-login', [], 'Generate the code needed for the form_login authenticator', false, #[\Closure(name: 'maker.auto_command.make_security_form_login', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_security_form_login'] ?? $container->load('getMaker_AutoCommand_MakeSecurityFormLoginService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSerializerEncoder_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSerializerEncoder_LazyService.php
deleted file mode 100644
index bbd0704e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSerializerEncoder_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_serializer_encoder.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:serializer:encoder', [], 'Create a new serializer encoder class', false, #[\Closure(name: 'maker.auto_command.make_serializer_encoder', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_serializer_encoder'] ?? $container->load('getMaker_AutoCommand_MakeSerializerEncoderService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSerializerNormalizer_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSerializerNormalizer_LazyService.php
deleted file mode 100644
index 7ce704ec..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeSerializerNormalizer_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_serializer_normalizer.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:serializer:normalizer', [], 'Create a new serializer normalizer class', false, #[\Closure(name: 'maker.auto_command.make_serializer_normalizer', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_serializer_normalizer'] ?? $container->load('getMaker_AutoCommand_MakeSerializerNormalizerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeStimulusController_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeStimulusController_LazyService.php
deleted file mode 100644
index 2702d68a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeStimulusController_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_stimulus_controller.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:stimulus-controller', [], 'Create a new Stimulus controller', false, #[\Closure(name: 'maker.auto_command.make_stimulus_controller', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_stimulus_controller'] ?? $container->load('getMaker_AutoCommand_MakeStimulusControllerService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTest_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTest_LazyService.php
deleted file mode 100644
index 669424c4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTest_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_test.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:test', ['make:unit-test', 'make:functional-test'], 'Create a new test class', false, #[\Closure(name: 'maker.auto_command.make_test', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_test'] ?? $container->load('getMaker_AutoCommand_MakeTestService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTwigComponent_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTwigComponent_LazyService.php
deleted file mode 100644
index af6856ba..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTwigComponent_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_twig_component.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:twig-component', [], 'Create a twig (or live) component', false, #[\Closure(name: 'maker.auto_command.make_twig_component', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_twig_component'] ?? $container->load('getMaker_AutoCommand_MakeTwigComponentService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTwigExtension_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTwigExtension_LazyService.php
deleted file mode 100644
index 07998be7..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeTwigExtension_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_twig_extension.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:twig-extension', [], 'Create a new Twig extension with its runtime class', false, #[\Closure(name: 'maker.auto_command.make_twig_extension', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_twig_extension'] ?? $container->load('getMaker_AutoCommand_MakeTwigExtensionService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeUser_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeUser_LazyService.php
deleted file mode 100644
index edb8223f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeUser_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_user.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:user', [], 'Create a new security user class', false, #[\Closure(name: 'maker.auto_command.make_user', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_user'] ?? $container->load('getMaker_AutoCommand_MakeUserService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeValidator_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeValidator_LazyService.php
deleted file mode 100644
index 1d13fac0..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeValidator_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_validator.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:validator', [], 'Create a new validator and constraint class', false, #[\Closure(name: 'maker.auto_command.make_validator', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_validator'] ?? $container->load('getMaker_AutoCommand_MakeValidatorService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeVoter_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeVoter_LazyService.php
deleted file mode 100644
index 9d6d436c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Maker_AutoCommand_MakeVoter_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.maker.auto_command.make_voter.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('make:voter', [], 'Create a new security voter class', false, #[\Closure(name: 'maker.auto_command.make_voter', class: 'Symfony\\Bundle\\MakerBundle\\Command\\MakerCommand')] fn (): \Symfony\Bundle\MakerBundle\Command\MakerCommand => ($container->privates['maker.auto_command.make_voter'] ?? $container->load('getMaker_AutoCommand_MakeVoterService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Security_Command_DebugFirewall_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Security_Command_DebugFirewall_LazyService.php
deleted file mode 100644
index 967fa72d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Security_Command_DebugFirewall_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.security.command.debug_firewall.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:firewall', [], 'Display information about your security firewall(s)', false, #[\Closure(name: 'security.command.debug_firewall', class: 'Symfony\\Bundle\\SecurityBundle\\Command\\DebugFirewallCommand')] fn (): \Symfony\Bundle\SecurityBundle\Command\DebugFirewallCommand => ($container->privates['security.command.debug_firewall'] ?? $container->load('getSecurity_Command_DebugFirewallService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Security_Command_UserPasswordHash_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Security_Command_UserPasswordHash_LazyService.php
deleted file mode 100644
index af4ab9b1..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Security_Command_UserPasswordHash_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.security.command.user_password_hash.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('security:hash-password', [], 'Hash a user password', false, #[\Closure(name: 'security.command.user_password_hash', class: 'Symfony\\Component\\PasswordHasher\\Command\\UserPasswordHashCommand')] fn (): \Symfony\Component\PasswordHasher\Command\UserPasswordHashCommand => ($container->privates['security.command.user_password_hash'] ?? $container->load('getSecurity_Command_UserPasswordHashService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_0QxrXJtService.php b/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_0QxrXJtService.php
deleted file mode 100644
index 2ba4262b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_0QxrXJtService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.security.request_matcher.0QxrXJt'] = new \Symfony\Component\HttpFoundation\ChainRequestMatcher([($container->privates['.security.request_matcher.lyVOED.'] ??= new \Symfony\Component\HttpFoundation\RequestMatcher\PathRequestMatcher('^/api/login'))]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_KLbKLHaService.php b/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_KLbKLHaService.php
deleted file mode 100644
index 80b8a61b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_KLbKLHaService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.security.request_matcher.kLbKLHa'] = new \Symfony\Component\HttpFoundation\ChainRequestMatcher([new \Symfony\Component\HttpFoundation\RequestMatcher\PathRequestMatcher('^/(_(profiler|wdt)|css|images|js)/')]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_Vhy2oy3Service.php b/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_Vhy2oy3Service.php
deleted file mode 100644
index 1039e9f2..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Security_RequestMatcher_Vhy2oy3Service.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.security.request_matcher.vhy2oy3'] = new \Symfony\Component\HttpFoundation\ChainRequestMatcher([($container->privates['.security.request_matcher.AMZT15Y'] ??= new \Symfony\Component\HttpFoundation\RequestMatcher\PathRequestMatcher('^/api'))]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_8TEMvgjService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_8TEMvgjService.php
deleted file mode 100644
index b7affe7f..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_8TEMvgjService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.8TEMvgj'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleGetUserRelationships' => ['privates', 'DMD\\LaLigaApi\\Service\\User\\Handlers\\getRelationships\\HandleGetUserRelationships', 'getHandleGetUserRelationshipsService', true],
- ], [
- 'handleGetUserRelationships' => 'DMD\\LaLigaApi\\Service\\User\\Handlers\\getRelationships\\HandleGetUserRelationships',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_8eLXVuLService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_8eLXVuLService.php
deleted file mode 100644
index d93f81e2..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_8eLXVuLService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.8eLXVuL'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleJoinLeague' => ['privates', 'DMD\\LaLigaApi\\Service\\League\\newJoinLeagueRequest\\HandleNewJoinLeagueRequest', 'getHandleNewJoinLeagueRequestService', true],
- ], [
- 'handleJoinLeague' => 'DMD\\LaLigaApi\\Service\\League\\newJoinLeagueRequest\\HandleNewJoinLeagueRequest',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_BpNZAIPService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_BpNZAIPService.php
deleted file mode 100644
index de866ec5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_BpNZAIPService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.BpNZAIP'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleUpdateLeague' => ['privates', 'DMD\\LaLigaApi\\Service\\League\\updateLeague\\HandleUpdateLeague', 'getHandleUpdateLeagueService', true],
- ], [
- 'handleUpdateLeague' => 'DMD\\LaLigaApi\\Service\\League\\updateLeague\\HandleUpdateLeague',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_EAMCOjqService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_EAMCOjqService.php
deleted file mode 100644
index f04e1d56..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_EAMCOjqService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.EAMCOjq'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleCreateGameCalendarRequest' => ['privates', 'DMD\\LaLigaApi\\Service\\Season\\createGameCalendar\\HandleCreateGameCalendarRequest', 'getHandleCreateGameCalendarRequestService', true],
- ], [
- 'handleCreateGameCalendarRequest' => 'DMD\\LaLigaApi\\Service\\Season\\createGameCalendar\\HandleCreateGameCalendarRequest',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_FoktWoUService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_FoktWoUService.php
deleted file mode 100644
index 13ea5bf5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_FoktWoUService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.FoktWoU'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleRegistration' => ['privates', 'DMD\\LaLigaApi\\Service\\User\\Handlers\\register\\HandleRegistration', 'getHandleRegistrationService', true],
- ], [
- 'handleRegistration' => 'DMD\\LaLigaApi\\Service\\User\\Handlers\\register\\HandleRegistration',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_G1XuiGsService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_G1XuiGsService.php
deleted file mode 100644
index 2d7d368a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_G1XuiGsService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.G1XuiGs'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleDeclineJoinRequest' => ['privates', 'DMD\\LaLigaApi\\Service\\League\\declineJoinLeagueRequest\\HandleDeclineJoinLeagueRequest', 'getHandleDeclineJoinLeagueRequestService', true],
- ], [
- 'handleDeclineJoinRequest' => 'DMD\\LaLigaApi\\Service\\League\\declineJoinLeagueRequest\\HandleDeclineJoinLeagueRequest',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_G3NSLSCService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_G3NSLSCService.php
deleted file mode 100644
index a6ba287c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_G3NSLSCService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.g3NSLSC'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleGetAllFacilities' => ['privates', 'DMD\\LaLigaApi\\Service\\Season\\getAllFacilities\\HandleGetAllFacilities', 'getHandleGetAllFacilitiesService', true],
- ], [
- 'handleGetAllFacilities' => 'DMD\\LaLigaApi\\Service\\Season\\getAllFacilities\\HandleGetAllFacilities',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_GqgSDnyService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_GqgSDnyService.php
deleted file mode 100644
index 82299d51..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_GqgSDnyService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.GqgSDny'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleAcceptJoinLeagueRequest' => ['privates', 'DMD\\LaLigaApi\\Service\\League\\acceptJoinLeagueRequest\\HandleAcceptJoinLeagueRequest', 'getHandleAcceptJoinLeagueRequestService', true],
- ], [
- 'handleAcceptJoinLeagueRequest' => 'DMD\\LaLigaApi\\Service\\League\\acceptJoinLeagueRequest\\HandleAcceptJoinLeagueRequest',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_HAmcZCCService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_HAmcZCCService.php
deleted file mode 100644
index d883c876..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_HAmcZCCService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.hAmcZCC'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleAddTeam' => ['privates', 'DMD\\LaLigaApi\\Service\\Season\\addTeam\\HandleAddTeam', 'getHandleAddTeamService', true],
- ], [
- 'handleAddTeam' => 'DMD\\LaLigaApi\\Service\\Season\\addTeam\\HandleAddTeam',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_IdpQYdIService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_IdpQYdIService.php
deleted file mode 100644
index 30e9acaa..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_IdpQYdIService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.idpQYdI'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleGetLeagueById' => ['privates', 'DMD\\LaLigaApi\\Service\\League\\getLeagueById\\HandleGetLeagueById', 'getHandleGetLeagueByIdService', true],
- ], [
- 'handleGetLeagueById' => 'DMD\\LaLigaApi\\Service\\League\\getLeagueById\\HandleGetLeagueById',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Jf7ZX1MService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Jf7ZX1MService.php
deleted file mode 100644
index 229d9d47..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Jf7ZX1MService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.Jf7ZX1M'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleCaptainRequest' => ['privates', 'DMD\\LaLigaApi\\Service\\League\\joinTeam\\HandleCaptainRequest', 'getHandleCaptainRequestService', true],
- ], [
- 'handleCaptainRequest' => 'DMD\\LaLigaApi\\Service\\League\\joinTeam\\HandleCaptainRequest',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_JzhWNcbService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_JzhWNcbService.php
deleted file mode 100644
index ae85d4c5..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_JzhWNcbService.php
+++ /dev/null
@@ -1,31 +0,0 @@
-privates['.service_locator.jzhWNcb'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'entityManager' => ['services', 'doctrine.orm.default_entity_manager', 'getDoctrine_Orm_DefaultEntityManagerService', true],
- 'passwordHasher' => ['privates', 'security.user_password_hasher', 'getSecurity_UserPasswordHasherService', true],
- 'userRepository' => ['privates', 'DMD\\LaLigaApi\\Repository\\UserRepository', 'getUserRepositoryService', true],
- ], [
- 'entityManager' => '?',
- 'passwordHasher' => '?',
- 'userRepository' => 'DMD\\LaLigaApi\\Repository\\UserRepository',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_K8rLaojService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_K8rLaojService.php
deleted file mode 100644
index ad570a1b..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_K8rLaojService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.k8rLaoj'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleDeleteUser' => ['privates', 'DMD\\LaLigaApi\\Service\\User\\Handlers\\delete\\HandleDeleteUser', 'getHandleDeleteUserService', true],
- ], [
- 'handleDeleteUser' => 'DMD\\LaLigaApi\\Service\\User\\Handlers\\delete\\HandleDeleteUser',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Kun9UOkService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Kun9UOkService.php
deleted file mode 100644
index 783df87d..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Kun9UOkService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.Kun9UOk'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleCreateFacilities' => ['privates', 'DMD\\LaLigaApi\\Service\\Season\\createFacilities\\HandleCreateFacilities', 'getHandleCreateFacilitiesService', true],
- ], [
- 'handleCreateFacilities' => 'DMD\\LaLigaApi\\Service\\Season\\createFacilities\\HandleCreateFacilities',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_O2p6Lk7Service.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_O2p6Lk7Service.php
deleted file mode 100644
index c563f526..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_O2p6Lk7Service.php
+++ /dev/null
@@ -1,41 +0,0 @@
-privates['.service_locator.O2p6Lk7'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'http_kernel' => ['services', 'http_kernel', 'getHttpKernelService', false],
- 'parameter_bag' => ['privates', 'parameter_bag', 'getParameterBagService', false],
- 'request_stack' => ['services', 'request_stack', 'getRequestStackService', false],
- 'router' => ['services', 'router', 'getRouterService', false],
- 'security.authorization_checker' => ['privates', 'security.authorization_checker', 'getSecurity_AuthorizationCheckerService', false],
- 'security.csrf.token_manager' => ['privates', 'security.csrf.token_manager', 'getSecurity_Csrf_TokenManagerService', true],
- 'security.token_storage' => ['privates', 'security.token_storage', 'getSecurity_TokenStorageService', false],
- 'twig' => ['privates', 'twig', 'getTwigService', true],
- ], [
- 'http_kernel' => '?',
- 'parameter_bag' => '?',
- 'request_stack' => '?',
- 'router' => '?',
- 'security.authorization_checker' => '?',
- 'security.csrf.token_manager' => '?',
- 'security.token_storage' => '?',
- 'twig' => '?',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_OannbdpService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_OannbdpService.php
deleted file mode 100644
index fca69eb4..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_OannbdpService.php
+++ /dev/null
@@ -1,33 +0,0 @@
-privates['.service_locator.Oannbdp'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'event_dispatcher' => ['services', 'event_dispatcher', 'getEventDispatcherService', false],
- 'security.event_dispatcher.api' => ['privates', 'debug.security.event_dispatcher.api', 'getDebug_Security_EventDispatcher_ApiService', true],
- 'security.event_dispatcher.login' => ['privates', 'debug.security.event_dispatcher.login', 'getDebug_Security_EventDispatcher_LoginService', true],
- 'security.event_dispatcher.main' => ['privates', 'debug.security.event_dispatcher.main', 'getDebug_Security_EventDispatcher_MainService', false],
- ], [
- 'event_dispatcher' => '?',
- 'security.event_dispatcher.api' => '?',
- 'security.event_dispatcher.login' => '?',
- 'security.event_dispatcher.main' => '?',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_PJHysgXService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_PJHysgXService.php
deleted file mode 100644
index 114b1e7c..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_PJHysgXService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.PJHysgX'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleCreateSeason' => ['privates', 'DMD\\LaLigaApi\\Service\\Season\\createSeason\\HandleCreateSeason', 'getHandleCreateSeasonService', true],
- ], [
- 'handleCreateSeason' => 'DMD\\LaLigaApi\\Service\\Season\\createSeason\\HandleCreateSeason',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_RQy_OTOService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_RQy_OTOService.php
deleted file mode 100644
index 7ae2d807..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_RQy_OTOService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.RQy.OTO'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleCreateLeague' => ['privates', 'DMD\\LaLigaApi\\Service\\League\\createLeague\\HandleCreateLeague', 'getHandleCreateLeagueService', true],
- ], [
- 'handleCreateLeague' => 'DMD\\LaLigaApi\\Service\\League\\createLeague\\HandleCreateLeague',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_UgMf8_IService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_UgMf8_IService.php
deleted file mode 100644
index 358aa7e3..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_UgMf8_IService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.UgMf8.i'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleGetNotifications' => ['privates', 'DMD\\LaLigaApi\\Service\\User\\Handlers\\getNotifications\\HandleGetNotifications', 'getHandleGetNotificationsService', true],
- ], [
- 'handleGetNotifications' => 'DMD\\LaLigaApi\\Service\\User\\Handlers\\getNotifications\\HandleGetNotifications',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_XUVYFService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_XUVYFService.php
deleted file mode 100644
index 92c3ce55..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_XUVYFService.php
+++ /dev/null
@@ -1,113 +0,0 @@
-privates['.service_locator.XUV_YF_'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'DMD\\LaLigaApi\\Controller\\LeagueController::acceptJoinRequest' => ['privates', '.service_locator.GqgSDny', 'get_ServiceLocator_GqgSDnyService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController::createLeague' => ['privates', '.service_locator.RQy.OTO', 'get_ServiceLocator_RQy_OTOService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController::declineJoinRequest' => ['privates', '.service_locator.G1XuiGs', 'get_ServiceLocator_G1XuiGsService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController::getAllLeagues' => ['privates', '.service_locator.YUfsgoA', 'get_ServiceLocator_YUfsgoAService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController::getLeagueById' => ['privates', '.service_locator.idpQYdI', 'get_ServiceLocator_IdpQYdIService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController::joinLeague' => ['privates', '.service_locator.8eLXVuL', 'get_ServiceLocator_8eLXVuLService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController::joinTeam' => ['privates', '.service_locator.Jf7ZX1M', 'get_ServiceLocator_Jf7ZX1MService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController::updateLeague' => ['privates', '.service_locator.BpNZAIP', 'get_ServiceLocator_BpNZAIPService', true],
- 'DMD\\LaLigaApi\\Controller\\NotificationController::getAllNotifications' => ['privates', '.service_locator.UgMf8.i', 'get_ServiceLocator_UgMf8_IService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController::addSeason' => ['privates', '.service_locator.PJHysgX', 'get_ServiceLocator_PJHysgXService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController::addTeam' => ['privates', '.service_locator.hAmcZCC', 'get_ServiceLocator_HAmcZCCService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController::createCalendar' => ['privates', '.service_locator.EAMCOjq', 'get_ServiceLocator_EAMCOjqService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController::createFacilities' => ['privates', '.service_locator.Kun9UOk', 'get_ServiceLocator_Kun9UOkService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController::getAllFacilities' => ['privates', '.service_locator.g3NSLSC', 'get_ServiceLocator_G3NSLSCService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController::changePassword' => ['privates', '.service_locator.jzhWNcb', 'get_ServiceLocator_JzhWNcbService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController::createUser' => ['privates', '.service_locator.FoktWoU', 'get_ServiceLocator_FoktWoUService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController::deleteUser' => ['privates', '.service_locator.k8rLaoj', 'get_ServiceLocator_K8rLaojService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController::getUserRelationships' => ['privates', '.service_locator.8TEMvgj', 'get_ServiceLocator_8TEMvgjService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController::updateUser' => ['privates', '.service_locator.X.xUSKj', 'get_ServiceLocator_X_XUSKjService', true],
- 'DMD\\LaLigaApi\\Kernel::loadRoutes' => ['privates', '.service_locator.y4_Zrx.', 'get_ServiceLocator_Y4Zrx_Service', true],
- 'DMD\\LaLigaApi\\Kernel::registerContainerConfiguration' => ['privates', '.service_locator.y4_Zrx.', 'get_ServiceLocator_Y4Zrx_Service', true],
- 'kernel::loadRoutes' => ['privates', '.service_locator.y4_Zrx.', 'get_ServiceLocator_Y4Zrx_Service', true],
- 'kernel::registerContainerConfiguration' => ['privates', '.service_locator.y4_Zrx.', 'get_ServiceLocator_Y4Zrx_Service', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController:acceptJoinRequest' => ['privates', '.service_locator.GqgSDny', 'get_ServiceLocator_GqgSDnyService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController:createLeague' => ['privates', '.service_locator.RQy.OTO', 'get_ServiceLocator_RQy_OTOService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController:declineJoinRequest' => ['privates', '.service_locator.G1XuiGs', 'get_ServiceLocator_G1XuiGsService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController:getAllLeagues' => ['privates', '.service_locator.YUfsgoA', 'get_ServiceLocator_YUfsgoAService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController:getLeagueById' => ['privates', '.service_locator.idpQYdI', 'get_ServiceLocator_IdpQYdIService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController:joinLeague' => ['privates', '.service_locator.8eLXVuL', 'get_ServiceLocator_8eLXVuLService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController:joinTeam' => ['privates', '.service_locator.Jf7ZX1M', 'get_ServiceLocator_Jf7ZX1MService', true],
- 'DMD\\LaLigaApi\\Controller\\LeagueController:updateLeague' => ['privates', '.service_locator.BpNZAIP', 'get_ServiceLocator_BpNZAIPService', true],
- 'DMD\\LaLigaApi\\Controller\\NotificationController:getAllNotifications' => ['privates', '.service_locator.UgMf8.i', 'get_ServiceLocator_UgMf8_IService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController:addSeason' => ['privates', '.service_locator.PJHysgX', 'get_ServiceLocator_PJHysgXService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController:addTeam' => ['privates', '.service_locator.hAmcZCC', 'get_ServiceLocator_HAmcZCCService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController:createCalendar' => ['privates', '.service_locator.EAMCOjq', 'get_ServiceLocator_EAMCOjqService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController:createFacilities' => ['privates', '.service_locator.Kun9UOk', 'get_ServiceLocator_Kun9UOkService', true],
- 'DMD\\LaLigaApi\\Controller\\SeasonController:getAllFacilities' => ['privates', '.service_locator.g3NSLSC', 'get_ServiceLocator_G3NSLSCService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController:changePassword' => ['privates', '.service_locator.jzhWNcb', 'get_ServiceLocator_JzhWNcbService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController:createUser' => ['privates', '.service_locator.FoktWoU', 'get_ServiceLocator_FoktWoUService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController:deleteUser' => ['privates', '.service_locator.k8rLaoj', 'get_ServiceLocator_K8rLaojService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController:getUserRelationships' => ['privates', '.service_locator.8TEMvgj', 'get_ServiceLocator_8TEMvgjService', true],
- 'DMD\\LaLigaApi\\Controller\\UserController:updateUser' => ['privates', '.service_locator.X.xUSKj', 'get_ServiceLocator_X_XUSKjService', true],
- 'kernel:loadRoutes' => ['privates', '.service_locator.y4_Zrx.', 'get_ServiceLocator_Y4Zrx_Service', true],
- 'kernel:registerContainerConfiguration' => ['privates', '.service_locator.y4_Zrx.', 'get_ServiceLocator_Y4Zrx_Service', true],
- ], [
- 'DMD\\LaLigaApi\\Controller\\LeagueController::acceptJoinRequest' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController::createLeague' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController::declineJoinRequest' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController::getAllLeagues' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController::getLeagueById' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController::joinLeague' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController::joinTeam' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController::updateLeague' => '?',
- 'DMD\\LaLigaApi\\Controller\\NotificationController::getAllNotifications' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController::addSeason' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController::addTeam' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController::createCalendar' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController::createFacilities' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController::getAllFacilities' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController::changePassword' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController::createUser' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController::deleteUser' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController::getUserRelationships' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController::updateUser' => '?',
- 'DMD\\LaLigaApi\\Kernel::loadRoutes' => '?',
- 'DMD\\LaLigaApi\\Kernel::registerContainerConfiguration' => '?',
- 'kernel::loadRoutes' => '?',
- 'kernel::registerContainerConfiguration' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController:acceptJoinRequest' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController:createLeague' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController:declineJoinRequest' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController:getAllLeagues' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController:getLeagueById' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController:joinLeague' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController:joinTeam' => '?',
- 'DMD\\LaLigaApi\\Controller\\LeagueController:updateLeague' => '?',
- 'DMD\\LaLigaApi\\Controller\\NotificationController:getAllNotifications' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController:addSeason' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController:addTeam' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController:createCalendar' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController:createFacilities' => '?',
- 'DMD\\LaLigaApi\\Controller\\SeasonController:getAllFacilities' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController:changePassword' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController:createUser' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController:deleteUser' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController:getUserRelationships' => '?',
- 'DMD\\LaLigaApi\\Controller\\UserController:updateUser' => '?',
- 'kernel:loadRoutes' => '?',
- 'kernel:registerContainerConfiguration' => '?',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_X_XUSKjService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_X_XUSKjService.php
deleted file mode 100644
index 2e6d258a..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_X_XUSKjService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.X.xUSKj'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleUpdateUser' => ['privates', 'DMD\\LaLigaApi\\Service\\User\\Handlers\\update\\HandleUpdateUser', 'getHandleUpdateUserService', true],
- ], [
- 'handleUpdateUser' => 'DMD\\LaLigaApi\\Service\\User\\Handlers\\update\\HandleUpdateUser',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Y4Zrx_Service.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Y4Zrx_Service.php
deleted file mode 100644
index cd046688..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_Y4Zrx_Service.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.y4_Zrx.'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'loader' => ['privates', '.errored..service_locator.y4_Zrx..Symfony\\Component\\Config\\Loader\\LoaderInterface', NULL, 'Cannot autowire service ".service_locator.y4_Zrx.": it needs an instance of "Symfony\\Component\\Config\\Loader\\LoaderInterface" but this type has been excluded from autowiring.'],
- ], [
- 'loader' => 'Symfony\\Component\\Config\\Loader\\LoaderInterface',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_YUfsgoAService.php b/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_YUfsgoAService.php
deleted file mode 100644
index c06c9e81..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_ServiceLocator_YUfsgoAService.php
+++ /dev/null
@@ -1,27 +0,0 @@
-privates['.service_locator.YUfsgoA'] = new \Symfony\Component\DependencyInjection\Argument\ServiceLocator($container->getService ??= $container->getService(...), [
- 'handleGetAllLeagues' => ['privates', 'DMD\\LaLigaApi\\Service\\League\\getAllLeagues\\HandleGetAllLeagues', 'getHandleGetAllLeaguesService', true],
- ], [
- 'handleGetAllLeagues' => 'DMD\\LaLigaApi\\Service\\League\\getAllLeagues\\HandleGetAllLeagues',
- ]);
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Twig_Command_Debug_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Twig_Command_Debug_LazyService.php
deleted file mode 100644
index dc1d92cc..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Twig_Command_Debug_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.twig.command.debug.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('debug:twig', [], 'Show a list of twig functions, filters, globals and tests', false, #[\Closure(name: 'twig.command.debug', class: 'Symfony\\Bridge\\Twig\\Command\\DebugCommand')] fn (): \Symfony\Bridge\Twig\Command\DebugCommand => ($container->privates['twig.command.debug'] ?? $container->load('getTwig_Command_DebugService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/get_Twig_Command_Lint_LazyService.php b/var/cache/dev/ContainerDm8zrDD/get_Twig_Command_Lint_LazyService.php
deleted file mode 100644
index 9f1c0595..00000000
--- a/var/cache/dev/ContainerDm8zrDD/get_Twig_Command_Lint_LazyService.php
+++ /dev/null
@@ -1,26 +0,0 @@
-privates['.twig.command.lint.lazy'] = new \Symfony\Component\Console\Command\LazyCommand('lint:twig', [], 'Lint a Twig template and outputs encountered errors', false, #[\Closure(name: 'twig.command.lint', class: 'Symfony\\Bundle\\TwigBundle\\Command\\LintCommand')] fn (): \Symfony\Bundle\TwigBundle\Command\LintCommand => ($container->privates['twig.command.lint'] ?? $container->load('getTwig_Command_LintService')));
- }
-}
diff --git a/var/cache/dev/ContainerDm8zrDD/removed-ids.php b/var/cache/dev/ContainerDm8zrDD/removed-ids.php
deleted file mode 100644
index 76089c5e..00000000
--- a/var/cache/dev/ContainerDm8zrDD/removed-ids.php
+++ /dev/null
@@ -1,1026 +0,0 @@
- true,
- '.1_TokenStorage~fHUnE8b' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Controller\\LeagueController' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Controller\\NotificationController' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Controller\\SeasonController' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Controller\\UserController' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\CustomRoleRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\FacilityRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\FileRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\GameRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\LeagueRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\LogRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\NotificationRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\PlayerRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\SeasonDataRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\SeasonRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\TeamRepository' => true,
- '.abstract.instanceof.DMD\\LaLigaApi\\Repository\\UserRepository' => true,
- '.cache_connection.GD_MSZC' => true,
- '.cache_connection.JKE6keX' => true,
- '.console.command.about.lazy' => true,
- '.console.command.assets_install.lazy' => true,
- '.console.command.cache_clear.lazy' => true,
- '.console.command.cache_pool_clear.lazy' => true,
- '.console.command.cache_pool_delete.lazy' => true,
- '.console.command.cache_pool_invalidate_tags.lazy' => true,
- '.console.command.cache_pool_list.lazy' => true,
- '.console.command.cache_pool_prune.lazy' => true,
- '.console.command.cache_warmup.lazy' => true,
- '.console.command.config_debug.lazy' => true,
- '.console.command.config_dump_reference.lazy' => true,
- '.console.command.container_debug.lazy' => true,
- '.console.command.container_lint.lazy' => true,
- '.console.command.debug_autowiring.lazy' => true,
- '.console.command.dotenv_debug.lazy' => true,
- '.console.command.event_dispatcher_debug.lazy' => true,
- '.console.command.mailer_test.lazy' => true,
- '.console.command.router_debug.lazy' => true,
- '.console.command.router_match.lazy' => true,
- '.console.command.secrets_decrypt_to_local.lazy' => true,
- '.console.command.secrets_encrypt_from_local.lazy' => true,
- '.console.command.secrets_generate_key.lazy' => true,
- '.console.command.secrets_list.lazy' => true,
- '.console.command.secrets_remove.lazy' => true,
- '.console.command.secrets_set.lazy' => true,
- '.console.command.validator_debug.lazy' => true,
- '.console.command.yaml_lint.lazy' => true,
- '.debug.security.voter.security.access.authenticated_voter' => true,
- '.debug.security.voter.security.access.simple_role_voter' => true,
- '.debug.value_resolver.argument_resolver.backed_enum_resolver' => true,
- '.debug.value_resolver.argument_resolver.datetime' => true,
- '.debug.value_resolver.argument_resolver.default' => true,
- '.debug.value_resolver.argument_resolver.not_tagged_controller' => true,
- '.debug.value_resolver.argument_resolver.query_parameter_value_resolver' => true,
- '.debug.value_resolver.argument_resolver.request' => true,
- '.debug.value_resolver.argument_resolver.request_attribute' => true,
- '.debug.value_resolver.argument_resolver.request_payload' => true,
- '.debug.value_resolver.argument_resolver.service' => true,
- '.debug.value_resolver.argument_resolver.session' => true,
- '.debug.value_resolver.argument_resolver.variadic' => true,
- '.debug.value_resolver.doctrine.orm.entity_value_resolver' => true,
- '.debug.value_resolver.security.security_token_value_resolver' => true,
- '.debug.value_resolver.security.user_value_resolver' => true,
- '.doctrine.orm.default_metadata_driver' => true,
- '.doctrine.orm.default_metadata_driver.inner' => true,
- '.doctrine_migrations.current_command.lazy' => true,
- '.doctrine_migrations.diff_command.lazy' => true,
- '.doctrine_migrations.dump_schema_command.lazy' => true,
- '.doctrine_migrations.execute_command.lazy' => true,
- '.doctrine_migrations.generate_command.lazy' => true,
- '.doctrine_migrations.latest_command.lazy' => true,
- '.doctrine_migrations.migrate_command.lazy' => true,
- '.doctrine_migrations.rollup_command.lazy' => true,
- '.doctrine_migrations.status_command.lazy' => true,
- '.doctrine_migrations.sync_metadata_command.lazy' => true,
- '.doctrine_migrations.up_to_date_command.lazy' => true,
- '.doctrine_migrations.version_command.lazy' => true,
- '.doctrine_migrations.versions_command.lazy' => true,
- '.errored..service_locator.y4_Zrx..Symfony\\Component\\Config\\Loader\\LoaderInterface' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\CustomRoleRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\FacilityRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\FileRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\GameRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\LeagueRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\LogRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\NotificationRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\PlayerRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\SeasonDataRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\SeasonRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\TeamRepository' => true,
- '.instanceof.Doctrine\\Bundle\\DoctrineBundle\\Repository\\ServiceEntityRepositoryInterface.0.DMD\\LaLigaApi\\Repository\\UserRepository' => true,
- '.instanceof.Symfony\\Bundle\\FrameworkBundle\\Controller\\AbstractController.0.DMD\\LaLigaApi\\Controller\\LeagueController' => true,
- '.instanceof.Symfony\\Bundle\\FrameworkBundle\\Controller\\AbstractController.0.DMD\\LaLigaApi\\Controller\\NotificationController' => true,
- '.instanceof.Symfony\\Bundle\\FrameworkBundle\\Controller\\AbstractController.0.DMD\\LaLigaApi\\Controller\\SeasonController' => true,
- '.instanceof.Symfony\\Bundle\\FrameworkBundle\\Controller\\AbstractController.0.DMD\\LaLigaApi\\Controller\\UserController' => true,
- '.instanceof.Symfony\\Contracts\\Service\\ServiceSubscriberInterface.0.DMD\\LaLigaApi\\Controller\\LeagueController' => true,
- '.instanceof.Symfony\\Contracts\\Service\\ServiceSubscriberInterface.0.DMD\\LaLigaApi\\Controller\\NotificationController' => true,
- '.instanceof.Symfony\\Contracts\\Service\\ServiceSubscriberInterface.0.DMD\\LaLigaApi\\Controller\\SeasonController' => true,
- '.instanceof.Symfony\\Contracts\\Service\\ServiceSubscriberInterface.0.DMD\\LaLigaApi\\Controller\\UserController' => true,
- '.lexik_jwt_authentication.check_config_command.lazy' => true,
- '.lexik_jwt_authentication.enable_encryption_config_command.lazy' => true,
- '.lexik_jwt_authentication.generate_keypair_command.lazy' => true,
- '.lexik_jwt_authentication.generate_token_command.lazy' => true,
- '.lexik_jwt_authentication.migrate_config_command.lazy' => true,
- '.maker.auto_command.make_auth.lazy' => true,
- '.maker.auto_command.make_command.lazy' => true,
- '.maker.auto_command.make_controller.lazy' => true,
- '.maker.auto_command.make_crud.lazy' => true,
- '.maker.auto_command.make_docker_database.lazy' => true,
- '.maker.auto_command.make_entity.lazy' => true,
- '.maker.auto_command.make_fixtures.lazy' => true,
- '.maker.auto_command.make_form.lazy' => true,
- '.maker.auto_command.make_listener.lazy' => true,
- '.maker.auto_command.make_message.lazy' => true,
- '.maker.auto_command.make_messenger_middleware.lazy' => true,
- '.maker.auto_command.make_migration.lazy' => true,
- '.maker.auto_command.make_registration_form.lazy' => true,
- '.maker.auto_command.make_reset_password.lazy' => true,
- '.maker.auto_command.make_security_form_login.lazy' => true,
- '.maker.auto_command.make_serializer_encoder.lazy' => true,
- '.maker.auto_command.make_serializer_normalizer.lazy' => true,
- '.maker.auto_command.make_stimulus_controller.lazy' => true,
- '.maker.auto_command.make_test.lazy' => true,
- '.maker.auto_command.make_twig_component.lazy' => true,
- '.maker.auto_command.make_twig_extension.lazy' => true,
- '.maker.auto_command.make_user.lazy' => true,
- '.maker.auto_command.make_validator.lazy' => true,
- '.maker.auto_command.make_voter.lazy' => true,
- '.security.command.debug_firewall.lazy' => true,
- '.security.command.user_password_hash.lazy' => true,
- '.security.request_matcher.0QxrXJt' => true,
- '.security.request_matcher.0jATPXn' => true,
- '.security.request_matcher.0lp5I4w' => true,
- '.security.request_matcher.6M.XeUm' => true,
- '.security.request_matcher.AMZT15Y' => true,
- '.security.request_matcher.Bs7fT.P' => true,
- '.security.request_matcher.EHwIQxq' => true,
- '.security.request_matcher.EZK.CGz' => true,
- '.security.request_matcher.gFOWd_9' => true,
- '.security.request_matcher.gjnNpJn' => true,
- '.security.request_matcher.kLbKLHa' => true,
- '.security.request_matcher.lyVOED.' => true,
- '.security.request_matcher.q1UFWmc' => true,
- '.security.request_matcher.vhy2oy3' => true,
- '.service_locator.0HZFGLA' => true,
- '.service_locator.0jwdN2L' => true,
- '.service_locator.3XXT.iB' => true,
- '.service_locator.5y4U6aa' => true,
- '.service_locator.7nzbL4K' => true,
- '.service_locator.7sCphGU' => true,
- '.service_locator.8TEMvgj' => true,
- '.service_locator.8eLXVuL' => true,
- '.service_locator.9L433w3' => true,
- '.service_locator.BFrsqsn' => true,
- '.service_locator.BlxN3Cw' => true,
- '.service_locator.BpNZAIP' => true,
- '.service_locator.C6ESU5k' => true,
- '.service_locator.EAMCOjq' => true,
- '.service_locator.EudIiQD' => true,
- '.service_locator.F9PKc.7' => true,
- '.service_locator.FoktWoU' => true,
- '.service_locator.G1XuiGs' => true,
- '.service_locator.GXvs259' => true,
- '.service_locator.GqgSDny' => true,
- '.service_locator.H6m0t47' => true,
- '.service_locator.HYwFH6j' => true,
- '.service_locator.IKoa88B' => true,
- '.service_locator.Jf7ZX1M' => true,
- '.service_locator.Jg.pCCn' => true,
- '.service_locator.KLVvNIq' => true,
- '.service_locator.KmogcOS' => true,
- '.service_locator.Kun9UOk' => true,
- '.service_locator.LMuqDDe' => true,
- '.service_locator.LcVn9Hr' => true,
- '.service_locator.LjjSp_a' => true,
- '.service_locator.LrCXAmX' => true,
- '.service_locator.NBUFN6A' => true,
- '.service_locator.O0h2hdG' => true,
- '.service_locator.O2p6Lk7' => true,
- '.service_locator.O2p6Lk7.DMD\\LaLigaApi\\Controller\\LeagueController' => true,
- '.service_locator.O2p6Lk7.DMD\\LaLigaApi\\Controller\\NotificationController' => true,
- '.service_locator.O2p6Lk7.DMD\\LaLigaApi\\Controller\\SeasonController' => true,
- '.service_locator.O2p6Lk7.DMD\\LaLigaApi\\Controller\\UserController' => true,
- '.service_locator.Oannbdp' => true,
- '.service_locator.PJHysgX' => true,
- '.service_locator.PvoQzFT' => true,
- '.service_locator.PvoQzFT.router.default' => true,
- '.service_locator.QVovN8M' => true,
- '.service_locator.RQy.OTO' => true,
- '.service_locator.TcLmKeC' => true,
- '.service_locator.UG3DVQt' => true,
- '.service_locator.UgMf8.i' => true,
- '.service_locator.VHsrTPK' => true,
- '.service_locator.X.xUSKj' => true,
- '.service_locator.XUV_YF_' => true,
- '.service_locator.XXv1IfR' => true,
- '.service_locator.Xbsa8iG' => true,
- '.service_locator.YUfsgoA' => true,
- '.service_locator.Yh6vd4o' => true,
- '.service_locator._fzSvpg' => true,
- '.service_locator.cUcW89y' => true,
- '.service_locator.cUcW89y.router.cache_warmer' => true,
- '.service_locator.cXsfP3P' => true,
- '.service_locator.dGUCsbe' => true,
- '.service_locator.df1HHDL' => true,
- '.service_locator.dsdSIIc' => true,
- '.service_locator.etVElvN' => true,
- '.service_locator.etVElvN.twig.template_cache_warmer' => true,
- '.service_locator.g3NSLSC' => true,
- '.service_locator.gFlme_s' => true,
- '.service_locator.hAmcZCC' => true,
- '.service_locator.idpQYdI' => true,
- '.service_locator.jUv.zyj' => true,
- '.service_locator.jzhWNcb' => true,
- '.service_locator.k3s3K.2' => true,
- '.service_locator.k8rLaoj' => true,
- '.service_locator.lLv4pWF' => true,
- '.service_locator.msNBuNb' => true,
- '.service_locator.n3S8NlR' => true,
- '.service_locator.nf9a30I' => true,
- '.service_locator.o.uf2zi' => true,
- '.service_locator.oR77BOj' => true,
- '.service_locator.odlcL3K' => true,
- '.service_locator.pR4c.1j' => true,
- '.service_locator.ra.E1iz' => true,
- '.service_locator.ro9MXaF' => true,
- '.service_locator.tQm5RTe' => true,
- '.service_locator.u6DWx23' => true,
- '.service_locator.y4_Zrx.' => true,
- '.twig.command.debug.lazy' => true,
- '.twig.command.lint.lazy' => true,
- 'DMD\\LaLigaApi\\Dto\\CustomRoleDto' => true,
- 'DMD\\LaLigaApi\\Dto\\FacilityDto' => true,
- 'DMD\\LaLigaApi\\Dto\\FileDto' => true,
- 'DMD\\LaLigaApi\\Dto\\GameDto' => true,
- 'DMD\\LaLigaApi\\Dto\\LeagueDto' => true,
- 'DMD\\LaLigaApi\\Dto\\NotificationDto' => true,
- 'DMD\\LaLigaApi\\Dto\\PlayerDto' => true,
- 'DMD\\LaLigaApi\\Dto\\SeasonDataDto' => true,
- 'DMD\\LaLigaApi\\Dto\\SeasonDto' => true,
- 'DMD\\LaLigaApi\\Dto\\TeamDto' => true,
- 'DMD\\LaLigaApi\\Dto\\UserDto' => true,
- 'DMD\\LaLigaApi\\Entity' => true,
- 'DMD\\LaLigaApi\\Enum\\NotificationType' => true,
- 'DMD\\LaLigaApi\\Enum\\Role' => true,
- 'DMD\\LaLigaApi\\Exception\\ExceptionListener' => true,
- 'DMD\\LaLigaApi\\Exception\\ValidationException' => true,
- 'DMD\\LaLigaApi\\Repository\\CustomRoleRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\FacilityRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\FileRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\GameRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\LeagueRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\LogRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\NotificationRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\PlayerRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\SeasonDataRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\SeasonRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\TeamRepository' => true,
- 'DMD\\LaLigaApi\\Repository\\UserRepository' => true,
- 'DMD\\LaLigaApi\\Service\\Common\\AuthorizeRequest' => true,
- 'DMD\\LaLigaApi\\Service\\Common\\EmailSender' => true,
- 'DMD\\LaLigaApi\\Service\\Common\\FacilityFactory' => true,
- 'DMD\\LaLigaApi\\Service\\Common\\NotificationFactory' => true,
- 'DMD\\LaLigaApi\\Service\\Common\\TeamFactory' => true,
- 'DMD\\LaLigaApi\\Service\\League\\LeagueFactory' => true,
- 'DMD\\LaLigaApi\\Service\\League\\acceptJoinLeagueRequest\\HandleAcceptJoinLeagueRequest' => true,
- 'DMD\\LaLigaApi\\Service\\League\\createLeague\\HandleCreateLeague' => true,
- 'DMD\\LaLigaApi\\Service\\League\\declineJoinLeagueRequest\\HandleDeclineJoinLeagueRequest' => true,
- 'DMD\\LaLigaApi\\Service\\League\\getAllLeagues\\HandleGetAllLeagues' => true,
- 'DMD\\LaLigaApi\\Service\\League\\getLeagueById\\HandleGetLeagueById' => true,
- 'DMD\\LaLigaApi\\Service\\League\\joinTeam\\HandleCaptainRequest' => true,
- 'DMD\\LaLigaApi\\Service\\League\\newJoinLeagueRequest\\HandleNewJoinLeagueRequest' => true,
- 'DMD\\LaLigaApi\\Service\\League\\updateLeague\\HandleUpdateLeague' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\SeasonFactory' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\addTeam\\HandleAddTeam' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\createFacilities\\HandleCreateFacilities' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\createGameCalendar\\HandleCreateGameCalendarRequest' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\createSeason\\HandleCreateSeason' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\getAllFacilities\\HandleGetAllFacilities' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\getAllSeasons\\HandleGetAllSeason' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\getSeasonById\\HandleGetSeasonById' => true,
- 'DMD\\LaLigaApi\\Service\\Season\\updateSeason\\HandleUpdateSeason' => true,
- 'DMD\\LaLigaApi\\Service\\User\\Handlers\\UserSaver' => true,
- 'DMD\\LaLigaApi\\Service\\User\\Handlers\\delete\\HandleDeleteUser' => true,
- 'DMD\\LaLigaApi\\Service\\User\\Handlers\\getNotifications\\HandleGetNotifications' => true,
- 'DMD\\LaLigaApi\\Service\\User\\Handlers\\getRelationships\\HandleGetUserRelationships' => true,
- 'DMD\\LaLigaApi\\Service\\User\\Handlers\\login\\AuthenticationSuccessListener' => true,
- 'DMD\\LaLigaApi\\Service\\User\\Handlers\\register\\HandleRegistration' => true,
- 'DMD\\LaLigaApi\\Service\\User\\Handlers\\update\\HandleUpdateUser' => true,
- 'Doctrine\\Bundle\\DoctrineBundle\\Controller\\ProfilerController' => true,
- 'Doctrine\\Bundle\\DoctrineBundle\\Dbal\\ManagerRegistryAwareConnectionProvider' => true,
- 'Doctrine\\Common\\Persistence\\ManagerRegistry' => true,
- 'Doctrine\\DBAL\\Connection' => true,
- 'Doctrine\\DBAL\\Connection $defaultConnection' => true,
- 'Doctrine\\DBAL\\Tools\\Console\\Command\\RunSqlCommand' => true,
- 'Doctrine\\ORM\\EntityManagerInterface' => true,
- 'Doctrine\\ORM\\EntityManagerInterface $defaultEntityManager' => true,
- 'Doctrine\\Persistence\\ManagerRegistry' => true,
- 'Lexik\\Bundle\\JWTAuthenticationBundle\\Encoder\\JWTEncoderInterface' => true,
- 'Lexik\\Bundle\\JWTAuthenticationBundle\\Security\\Http\\Authentication\\AuthenticationFailureHandler' => true,
- 'Lexik\\Bundle\\JWTAuthenticationBundle\\Security\\Http\\Authentication\\AuthenticationSuccessHandler' => true,
- 'Lexik\\Bundle\\JWTAuthenticationBundle\\Services\\JWSProvider\\JWSProviderInterface' => true,
- 'Lexik\\Bundle\\JWTAuthenticationBundle\\Services\\JWTTokenInterface' => true,
- 'Lexik\\Bundle\\JWTAuthenticationBundle\\Services\\JWTTokenManagerInterface' => true,
- 'Lexik\\Bundle\\JWTAuthenticationBundle\\TokenExtractor\\TokenExtractorInterface' => true,
- 'Psr\\Cache\\CacheItemPoolInterface' => true,
- 'Psr\\Clock\\ClockInterface' => true,
- 'Psr\\Container\\ContainerInterface $parameterBag' => true,
- 'Psr\\EventDispatcher\\EventDispatcherInterface' => true,
- 'Psr\\Log\\LoggerInterface' => true,
- 'SessionHandlerInterface' => true,
- 'Symfony\\Bundle\\SecurityBundle\\Security' => true,
- 'Symfony\\Component\\Clock\\ClockInterface' => true,
- 'Symfony\\Component\\Config\\Loader\\LoaderInterface' => true,
- 'Symfony\\Component\\DependencyInjection\\ParameterBag\\ContainerBagInterface' => true,
- 'Symfony\\Component\\DependencyInjection\\ParameterBag\\ParameterBagInterface' => true,
- 'Symfony\\Component\\DependencyInjection\\ReverseContainer' => true,
- 'Symfony\\Component\\EventDispatcher\\EventDispatcherInterface' => true,
- 'Symfony\\Component\\Filesystem\\Filesystem' => true,
- 'Symfony\\Component\\HttpFoundation\\Request' => true,
- 'Symfony\\Component\\HttpFoundation\\RequestStack' => true,
- 'Symfony\\Component\\HttpFoundation\\Response' => true,
- 'Symfony\\Component\\HttpFoundation\\Session\\SessionInterface' => true,
- 'Symfony\\Component\\HttpFoundation\\UrlHelper' => true,
- 'Symfony\\Component\\HttpKernel\\Config\\FileLocator' => true,
- 'Symfony\\Component\\HttpKernel\\Debug\\FileLinkFormatter' => true,
- 'Symfony\\Component\\HttpKernel\\Fragment\\FragmentUriGeneratorInterface' => true,
- 'Symfony\\Component\\HttpKernel\\HttpCache\\StoreInterface' => true,
- 'Symfony\\Component\\HttpKernel\\HttpKernelInterface' => true,
- 'Symfony\\Component\\HttpKernel\\KernelInterface' => true,
- 'Symfony\\Component\\HttpKernel\\UriSigner' => true,
- 'Symfony\\Component\\Mailer\\MailerInterface' => true,
- 'Symfony\\Component\\Mailer\\Transport\\TransportInterface' => true,
- 'Symfony\\Component\\Mime\\BodyRendererInterface' => true,
- 'Symfony\\Component\\Mime\\MimeTypeGuesserInterface' => true,
- 'Symfony\\Component\\Mime\\MimeTypesInterface' => true,
- 'Symfony\\Component\\PasswordHasher\\Hasher\\PasswordHasherFactoryInterface' => true,
- 'Symfony\\Component\\PasswordHasher\\Hasher\\UserPasswordHasherInterface' => true,
- 'Symfony\\Component\\PropertyAccess\\PropertyAccessorInterface' => true,
- 'Symfony\\Component\\PropertyInfo\\PropertyAccessExtractorInterface' => true,
- 'Symfony\\Component\\PropertyInfo\\PropertyDescriptionExtractorInterface' => true,
- 'Symfony\\Component\\PropertyInfo\\PropertyInfoExtractorInterface' => true,
- 'Symfony\\Component\\PropertyInfo\\PropertyInitializableExtractorInterface' => true,
- 'Symfony\\Component\\PropertyInfo\\PropertyListExtractorInterface' => true,
- 'Symfony\\Component\\PropertyInfo\\PropertyReadInfoExtractorInterface' => true,
- 'Symfony\\Component\\PropertyInfo\\PropertyTypeExtractorInterface' => true,
- 'Symfony\\Component\\PropertyInfo\\PropertyWriteInfoExtractorInterface' => true,
- 'Symfony\\Component\\Routing\\Generator\\UrlGeneratorInterface' => true,
- 'Symfony\\Component\\Routing\\Matcher\\UrlMatcherInterface' => true,
- 'Symfony\\Component\\Routing\\RequestContext' => true,
- 'Symfony\\Component\\Routing\\RequestContextAwareInterface' => true,
- 'Symfony\\Component\\Routing\\RouterInterface' => true,
- 'Symfony\\Component\\Security\\Core\\Authentication\\Token\\Storage\\TokenStorageInterface' => true,
- 'Symfony\\Component\\Security\\Core\\Authorization\\AccessDecisionManagerInterface' => true,
- 'Symfony\\Component\\Security\\Core\\Authorization\\AuthorizationCheckerInterface' => true,
- 'Symfony\\Component\\Security\\Core\\Role\\RoleHierarchyInterface' => true,
- 'Symfony\\Component\\Security\\Core\\Security' => true,
- 'Symfony\\Component\\Security\\Core\\User\\UserCheckerInterface' => true,
- 'Symfony\\Component\\Security\\Core\\User\\UserProviderInterface' => true,
- 'Symfony\\Component\\Security\\Csrf\\CsrfTokenManagerInterface' => true,
- 'Symfony\\Component\\Security\\Csrf\\TokenGenerator\\TokenGeneratorInterface' => true,
- 'Symfony\\Component\\Security\\Csrf\\TokenStorage\\TokenStorageInterface' => true,
- 'Symfony\\Component\\Security\\Http\\Authentication\\AuthenticationUtils' => true,
- 'Symfony\\Component\\Security\\Http\\Authentication\\UserAuthenticatorInterface' => true,
- 'Symfony\\Component\\Security\\Http\\Firewall' => true,
- 'Symfony\\Component\\Security\\Http\\FirewallMapInterface' => true,
- 'Symfony\\Component\\Security\\Http\\HttpUtils' => true,
- 'Symfony\\Component\\Security\\Http\\Session\\SessionAuthenticationStrategyInterface' => true,
- 'Symfony\\Component\\Stopwatch\\Stopwatch' => true,
- 'Symfony\\Component\\String\\Slugger\\SluggerInterface' => true,
- 'Symfony\\Component\\Validator\\Constraints\\AllValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\AtLeastOneOfValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\BicValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\BlankValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CallbackValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CardSchemeValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\ChoiceValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CidrValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CollectionValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CompoundValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CountValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CountryValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CssColorValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\CurrencyValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\DateTimeValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\DateValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\DivisibleByValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\EmailValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\EqualToValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\ExpressionLanguageSyntaxValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\ExpressionSyntaxValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\ExpressionValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\FileValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\GreaterThanOrEqualValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\GreaterThanValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\HostnameValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IbanValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IdenticalToValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\ImageValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IpValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IsFalseValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IsNullValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IsTrueValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IsbnValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IsinValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\IssnValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\JsonValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\LanguageValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\LengthValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\LessThanOrEqualValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\LessThanValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\LocaleValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\LuhnValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\NoSuspiciousCharactersValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\NotBlankValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\NotCompromisedPasswordValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\NotEqualToValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\NotIdenticalToValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\NotNullValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\PasswordStrengthValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\RangeValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\RegexValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\SequentiallyValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\TimeValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\TimezoneValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\TypeValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\UlidValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\UniqueValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\UrlValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\UuidValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\ValidValidator' => true,
- 'Symfony\\Component\\Validator\\Constraints\\WhenValidator' => true,
- 'Symfony\\Component\\Validator\\Validator\\ValidatorInterface' => true,
- 'Symfony\\Contracts\\Cache\\CacheInterface' => true,
- 'Symfony\\Contracts\\Cache\\TagAwareCacheInterface' => true,
- 'Symfony\\Contracts\\EventDispatcher\\EventDispatcherInterface' => true,
- 'Twig\\Environment' => true,
- 'Twig_Environment' => true,
- 'argument_metadata_factory' => true,
- 'argument_resolver' => true,
- 'argument_resolver.backed_enum_resolver' => true,
- 'argument_resolver.controller_locator' => true,
- 'argument_resolver.datetime' => true,
- 'argument_resolver.default' => true,
- 'argument_resolver.not_tagged_controller' => true,
- 'argument_resolver.query_parameter_value_resolver' => true,
- 'argument_resolver.request' => true,
- 'argument_resolver.request_attribute' => true,
- 'argument_resolver.request_payload' => true,
- 'argument_resolver.service' => true,
- 'argument_resolver.session' => true,
- 'argument_resolver.variadic' => true,
- 'cache.adapter.apcu' => true,
- 'cache.adapter.array' => true,
- 'cache.adapter.doctrine_dbal' => true,
- 'cache.adapter.filesystem' => true,
- 'cache.adapter.memcached' => true,
- 'cache.adapter.pdo' => true,
- 'cache.adapter.psr6' => true,
- 'cache.adapter.redis' => true,
- 'cache.adapter.redis_tag_aware' => true,
- 'cache.adapter.system' => true,
- 'cache.annotations' => true,
- 'cache.app.taggable' => true,
- 'cache.default_clearer' => true,
- 'cache.default_doctrine_dbal_provider' => true,
- 'cache.default_marshaller' => true,
- 'cache.default_memcached_provider' => true,
- 'cache.default_redis_provider' => true,
- 'cache.doctrine.orm.default.metadata' => true,
- 'cache.doctrine.orm.default.query' => true,
- 'cache.doctrine.orm.default.result' => true,
- 'cache.early_expiration_handler' => true,
- 'cache.property_access' => true,
- 'cache.property_info' => true,
- 'cache.security_expression_language' => true,
- 'cache.serializer' => true,
- 'cache.validator' => true,
- 'cache_clearer' => true,
- 'clock' => true,
- 'config.resource.self_checking_resource_checker' => true,
- 'config_builder.warmer' => true,
- 'config_cache_factory' => true,
- 'console.command.about' => true,
- 'console.command.assets_install' => true,
- 'console.command.cache_clear' => true,
- 'console.command.cache_pool_clear' => true,
- 'console.command.cache_pool_delete' => true,
- 'console.command.cache_pool_invalidate_tags' => true,
- 'console.command.cache_pool_list' => true,
- 'console.command.cache_pool_prune' => true,
- 'console.command.cache_warmup' => true,
- 'console.command.config_debug' => true,
- 'console.command.config_dump_reference' => true,
- 'console.command.container_debug' => true,
- 'console.command.container_lint' => true,
- 'console.command.debug_autowiring' => true,
- 'console.command.dotenv_debug' => true,
- 'console.command.event_dispatcher_debug' => true,
- 'console.command.mailer_test' => true,
- 'console.command.router_debug' => true,
- 'console.command.router_match' => true,
- 'console.command.secrets_decrypt_to_local' => true,
- 'console.command.secrets_encrypt_from_local' => true,
- 'console.command.secrets_generate_key' => true,
- 'console.command.secrets_list' => true,
- 'console.command.secrets_remove' => true,
- 'console.command.secrets_set' => true,
- 'console.command.validator_debug' => true,
- 'console.command.yaml_lint' => true,
- 'console.error_listener' => true,
- 'console.suggest_missing_package_subscriber' => true,
- 'container.env' => true,
- 'container.env_var_processor' => true,
- 'container.getenv' => true,
- 'controller.cache_attribute_listener' => true,
- 'controller.is_granted_attribute_listener' => true,
- 'controller.template_attribute_listener' => true,
- 'controller_resolver' => true,
- 'data_collector.doctrine' => true,
- 'data_collector.security' => true,
- 'data_collector.twig' => true,
- 'debug.argument_resolver' => true,
- 'debug.argument_resolver.inner' => true,
- 'debug.controller_resolver' => true,
- 'debug.controller_resolver.inner' => true,
- 'debug.debug_handlers_listener' => true,
- 'debug.event_dispatcher' => true,
- 'debug.event_dispatcher.inner' => true,
- 'debug.file_link_formatter' => true,
- 'debug.security.access.decision_manager' => true,
- 'debug.security.access.decision_manager.inner' => true,
- 'debug.security.event_dispatcher.api' => true,
- 'debug.security.event_dispatcher.api.inner' => true,
- 'debug.security.event_dispatcher.login' => true,
- 'debug.security.event_dispatcher.login.inner' => true,
- 'debug.security.event_dispatcher.main' => true,
- 'debug.security.event_dispatcher.main.inner' => true,
- 'debug.security.firewall' => true,
- 'debug.security.firewall.authenticator.api' => true,
- 'debug.security.firewall.authenticator.api.inner' => true,
- 'debug.security.firewall.authenticator.login' => true,
- 'debug.security.firewall.authenticator.login.inner' => true,
- 'debug.security.firewall.authenticator.main' => true,
- 'debug.security.firewall.authenticator.main.inner' => true,
- 'debug.security.voter.vote_listener' => true,
- 'debug.stopwatch' => true,
- 'dependency_injection.config.container_parameters_resource_checker' => true,
- 'disallow_search_engine_index_response_listener' => true,
- 'doctrine.cache_clear_metadata_command' => true,
- 'doctrine.cache_clear_query_cache_command' => true,
- 'doctrine.cache_clear_result_command' => true,
- 'doctrine.cache_collection_region_command' => true,
- 'doctrine.clear_entity_region_command' => true,
- 'doctrine.clear_query_region_command' => true,
- 'doctrine.database_create_command' => true,
- 'doctrine.database_drop_command' => true,
- 'doctrine.dbal.connection' => true,
- 'doctrine.dbal.connection.configuration' => true,
- 'doctrine.dbal.connection.event_manager' => true,
- 'doctrine.dbal.connection_factory' => true,
- 'doctrine.dbal.connection_factory.dsn_parser' => true,
- 'doctrine.dbal.debug_middleware' => true,
- 'doctrine.dbal.debug_middleware.default' => true,
- 'doctrine.dbal.default_connection.configuration' => true,
- 'doctrine.dbal.default_connection.event_manager' => true,
- 'doctrine.dbal.default_schema_manager_factory' => true,
- 'doctrine.dbal.event_manager' => true,
- 'doctrine.dbal.legacy_schema_manager_factory' => true,
- 'doctrine.dbal.logging_middleware' => true,
- 'doctrine.dbal.schema_asset_filter_manager' => true,
- 'doctrine.dbal.well_known_schema_asset_filter' => true,
- 'doctrine.debug_data_holder' => true,
- 'doctrine.ensure_production_settings_command' => true,
- 'doctrine.id_generator_locator' => true,
- 'doctrine.mapping_convert_command' => true,
- 'doctrine.mapping_import_command' => true,
- 'doctrine.mapping_info_command' => true,
- 'doctrine.migrations.configuration' => true,
- 'doctrine.migrations.configuration_loader' => true,
- 'doctrine.migrations.connection_loader' => true,
- 'doctrine.migrations.connection_registry_loader' => true,
- 'doctrine.migrations.container_aware_migrations_factory' => true,
- 'doctrine.migrations.container_aware_migrations_factory.inner' => true,
- 'doctrine.migrations.dependency_factory' => true,
- 'doctrine.migrations.em_loader' => true,
- 'doctrine.migrations.entity_manager_registry_loader' => true,
- 'doctrine.migrations.metadata_storage' => true,
- 'doctrine.migrations.migrations_factory' => true,
- 'doctrine.migrations.storage.table_storage' => true,
- 'doctrine.orm.command.entity_manager_provider' => true,
- 'doctrine.orm.configuration' => true,
- 'doctrine.orm.container_repository_factory' => true,
- 'doctrine.orm.default_attribute_metadata_driver' => true,
- 'doctrine.orm.default_configuration' => true,
- 'doctrine.orm.default_entity_listener_resolver' => true,
- 'doctrine.orm.default_entity_manager.event_manager' => true,
- 'doctrine.orm.default_entity_manager.property_info_extractor' => true,
- 'doctrine.orm.default_entity_manager.validator_loader' => true,
- 'doctrine.orm.default_listeners.attach_entity_listeners' => true,
- 'doctrine.orm.default_manager_configurator' => true,
- 'doctrine.orm.default_metadata_cache' => true,
- 'doctrine.orm.default_metadata_driver' => true,
- 'doctrine.orm.default_query_cache' => true,
- 'doctrine.orm.default_result_cache' => true,
- 'doctrine.orm.entity_manager.abstract' => true,
- 'doctrine.orm.entity_value_resolver' => true,
- 'doctrine.orm.listeners.doctrine_dbal_cache_adapter_schema_listener' => true,
- 'doctrine.orm.listeners.doctrine_token_provider_schema_listener' => true,
- 'doctrine.orm.listeners.lock_store_schema_listener' => true,
- 'doctrine.orm.listeners.pdo_session_handler_schema_listener' => true,
- 'doctrine.orm.listeners.resolve_target_entity' => true,
- 'doctrine.orm.manager_configurator.abstract' => true,
- 'doctrine.orm.naming_strategy.default' => true,
- 'doctrine.orm.naming_strategy.underscore' => true,
- 'doctrine.orm.naming_strategy.underscore_number_aware' => true,
- 'doctrine.orm.proxy_cache_warmer' => true,
- 'doctrine.orm.quote_strategy.ansi' => true,
- 'doctrine.orm.quote_strategy.default' => true,
- 'doctrine.orm.security.user.provider' => true,
- 'doctrine.orm.validator.unique' => true,
- 'doctrine.orm.validator_initializer' => true,
- 'doctrine.query_dql_command' => true,
- 'doctrine.query_sql_command' => true,
- 'doctrine.schema_create_command' => true,
- 'doctrine.schema_drop_command' => true,
- 'doctrine.schema_update_command' => true,
- 'doctrine.schema_validate_command' => true,
- 'doctrine.twig.doctrine_extension' => true,
- 'doctrine.ulid_generator' => true,
- 'doctrine.uuid_generator' => true,
- 'doctrine_migrations.current_command' => true,
- 'doctrine_migrations.diff_command' => true,
- 'doctrine_migrations.dump_schema_command' => true,
- 'doctrine_migrations.execute_command' => true,
- 'doctrine_migrations.generate_command' => true,
- 'doctrine_migrations.latest_command' => true,
- 'doctrine_migrations.migrate_command' => true,
- 'doctrine_migrations.rollup_command' => true,
- 'doctrine_migrations.status_command' => true,
- 'doctrine_migrations.sync_metadata_command' => true,
- 'doctrine_migrations.up_to_date_command' => true,
- 'doctrine_migrations.version_command' => true,
- 'doctrine_migrations.versions_command' => true,
- 'error_handler.error_renderer.html' => true,
- 'error_renderer' => true,
- 'error_renderer.html' => true,
- 'exception_listener' => true,
- 'file_locator' => true,
- 'filesystem' => true,
- 'form.type.entity' => true,
- 'form.type_guesser.doctrine' => true,
- 'fragment.handler' => true,
- 'fragment.renderer.inline' => true,
- 'fragment.uri_generator' => true,
- 'http_cache' => true,
- 'http_cache.store' => true,
- 'lexik_jwt_authentication.check_config_command' => true,
- 'lexik_jwt_authentication.enable_encryption_config_command' => true,
- 'lexik_jwt_authentication.encoder.default' => true,
- 'lexik_jwt_authentication.encoder.lcobucci' => true,
- 'lexik_jwt_authentication.extractor.authorization_header_extractor' => true,
- 'lexik_jwt_authentication.extractor.chain_extractor' => true,
- 'lexik_jwt_authentication.extractor.cookie_extractor' => true,
- 'lexik_jwt_authentication.extractor.query_parameter_extractor' => true,
- 'lexik_jwt_authentication.extractor.split_cookie_extractor' => true,
- 'lexik_jwt_authentication.generate_keypair_command' => true,
- 'lexik_jwt_authentication.handler.authentication_failure' => true,
- 'lexik_jwt_authentication.handler.authentication_success' => true,
- 'lexik_jwt_authentication.jws_provider.default' => true,
- 'lexik_jwt_authentication.jws_provider.lcobucci' => true,
- 'lexik_jwt_authentication.jwt_token_authenticator' => true,
- 'lexik_jwt_authentication.key_loader.abstract' => true,
- 'lexik_jwt_authentication.key_loader.openssl' => true,
- 'lexik_jwt_authentication.key_loader.raw' => true,
- 'lexik_jwt_authentication.migrate_config_command' => true,
- 'lexik_jwt_authentication.security.authentication.entry_point' => true,
- 'lexik_jwt_authentication.security.authentication.listener' => true,
- 'lexik_jwt_authentication.security.authentication.provider' => true,
- 'lexik_jwt_authentication.security.guard.jwt_token_authenticator' => true,
- 'lexik_jwt_authentication.security.jwt_authenticator' => true,
- 'lexik_jwt_authentication.security.jwt_user_provider' => true,
- 'locale_aware_listener' => true,
- 'locale_listener' => true,
- 'logger' => true,
- 'mailer' => true,
- 'mailer.default_transport' => true,
- 'mailer.envelope_listener' => true,
- 'mailer.mailer' => true,
- 'mailer.message_logger_listener' => true,
- 'mailer.messenger.message_handler' => true,
- 'mailer.messenger_transport_listener' => true,
- 'mailer.transport_factory' => true,
- 'mailer.transport_factory.abstract' => true,
- 'mailer.transport_factory.native' => true,
- 'mailer.transport_factory.null' => true,
- 'mailer.transport_factory.sendmail' => true,
- 'mailer.transport_factory.smtp' => true,
- 'mailer.transports' => true,
- 'maker.auto_command.abstract' => true,
- 'maker.auto_command.make_auth' => true,
- 'maker.auto_command.make_command' => true,
- 'maker.auto_command.make_controller' => true,
- 'maker.auto_command.make_crud' => true,
- 'maker.auto_command.make_docker_database' => true,
- 'maker.auto_command.make_entity' => true,
- 'maker.auto_command.make_fixtures' => true,
- 'maker.auto_command.make_form' => true,
- 'maker.auto_command.make_listener' => true,
- 'maker.auto_command.make_message' => true,
- 'maker.auto_command.make_messenger_middleware' => true,
- 'maker.auto_command.make_migration' => true,
- 'maker.auto_command.make_registration_form' => true,
- 'maker.auto_command.make_reset_password' => true,
- 'maker.auto_command.make_security_form_login' => true,
- 'maker.auto_command.make_serializer_encoder' => true,
- 'maker.auto_command.make_serializer_normalizer' => true,
- 'maker.auto_command.make_stimulus_controller' => true,
- 'maker.auto_command.make_test' => true,
- 'maker.auto_command.make_twig_component' => true,
- 'maker.auto_command.make_twig_extension' => true,
- 'maker.auto_command.make_user' => true,
- 'maker.auto_command.make_validator' => true,
- 'maker.auto_command.make_voter' => true,
- 'maker.autoloader_finder' => true,
- 'maker.autoloader_util' => true,
- 'maker.console_error_listener' => true,
- 'maker.doctrine_helper' => true,
- 'maker.entity_class_generator' => true,
- 'maker.event_registry' => true,
- 'maker.file_link_formatter' => true,
- 'maker.file_manager' => true,
- 'maker.generator' => true,
- 'maker.maker.make_authenticator' => true,
- 'maker.maker.make_command' => true,
- 'maker.maker.make_controller' => true,
- 'maker.maker.make_crud' => true,
- 'maker.maker.make_docker_database' => true,
- 'maker.maker.make_entity' => true,
- 'maker.maker.make_fixtures' => true,
- 'maker.maker.make_form' => true,
- 'maker.maker.make_form_login' => true,
- 'maker.maker.make_functional_test' => true,
- 'maker.maker.make_listener' => true,
- 'maker.maker.make_message' => true,
- 'maker.maker.make_messenger_middleware' => true,
- 'maker.maker.make_migration' => true,
- 'maker.maker.make_registration_form' => true,
- 'maker.maker.make_reset_password' => true,
- 'maker.maker.make_serializer_encoder' => true,
- 'maker.maker.make_serializer_normalizer' => true,
- 'maker.maker.make_stimulus_controller' => true,
- 'maker.maker.make_subscriber' => true,
- 'maker.maker.make_test' => true,
- 'maker.maker.make_twig_component' => true,
- 'maker.maker.make_twig_extension' => true,
- 'maker.maker.make_unit_test' => true,
- 'maker.maker.make_user' => true,
- 'maker.maker.make_validator' => true,
- 'maker.maker.make_voter' => true,
- 'maker.php_compat_util' => true,
- 'maker.renderer.form_type_renderer' => true,
- 'maker.security_config_updater' => true,
- 'maker.security_controller_builder' => true,
- 'maker.template_component_generator' => true,
- 'maker.template_linter' => true,
- 'maker.user_class_builder' => true,
- 'mime_types' => true,
- 'nelmio_api_doc.controller_reflector' => true,
- 'nelmio_api_doc.describers.config' => true,
- 'nelmio_api_doc.describers.config.default' => true,
- 'nelmio_api_doc.describers.default' => true,
- 'nelmio_api_doc.describers.openapi_php.default' => true,
- 'nelmio_api_doc.describers.route.default' => true,
- 'nelmio_api_doc.form.documentation_extension' => true,
- 'nelmio_api_doc.generator_locator' => true,
- 'nelmio_api_doc.model_describers.enum' => true,
- 'nelmio_api_doc.model_describers.object' => true,
- 'nelmio_api_doc.model_describers.self_describing' => true,
- 'nelmio_api_doc.object_model.property_describer' => true,
- 'nelmio_api_doc.object_model.property_describers.array' => true,
- 'nelmio_api_doc.object_model.property_describers.boolean' => true,
- 'nelmio_api_doc.object_model.property_describers.compound' => true,
- 'nelmio_api_doc.object_model.property_describers.date_time' => true,
- 'nelmio_api_doc.object_model.property_describers.float' => true,
- 'nelmio_api_doc.object_model.property_describers.integer' => true,
- 'nelmio_api_doc.object_model.property_describers.nullable' => true,
- 'nelmio_api_doc.object_model.property_describers.object' => true,
- 'nelmio_api_doc.object_model.property_describers.required' => true,
- 'nelmio_api_doc.object_model.property_describers.string' => true,
- 'nelmio_api_doc.open_api.generator' => true,
- 'nelmio_api_doc.render_docs.json' => true,
- 'nelmio_api_doc.render_docs.yaml' => true,
- 'nelmio_api_doc.route_describers.php_doc' => true,
- 'nelmio_api_doc.route_describers.route_metadata' => true,
- 'nelmio_api_doc.routes.default' => true,
- 'nelmio_api_doc.swagger.processor.nullable_property' => true,
- 'nelmio_cors.cacheable_response_vary_listener' => true,
- 'nelmio_cors.cors_listener' => true,
- 'nelmio_cors.options_provider.config' => true,
- 'nelmio_cors.options_resolver' => true,
- 'parameter_bag' => true,
- 'property_accessor' => true,
- 'property_info' => true,
- 'property_info.php_doc_extractor' => true,
- 'property_info.phpstan_extractor' => true,
- 'property_info.reflection_extractor' => true,
- 'response_listener' => true,
- 'reverse_container' => true,
- 'router.cache_warmer' => true,
- 'router.default' => true,
- 'router.request_context' => true,
- 'router_listener' => true,
- 'routing.loader.annotation' => true,
- 'routing.loader.annotation.directory' => true,
- 'routing.loader.annotation.file' => true,
- 'routing.loader.container' => true,
- 'routing.loader.directory' => true,
- 'routing.loader.glob' => true,
- 'routing.loader.php' => true,
- 'routing.loader.psr4' => true,
- 'routing.loader.xml' => true,
- 'routing.loader.yml' => true,
- 'routing.resolver' => true,
- 'secrets.decryption_key' => true,
- 'secrets.local_vault' => true,
- 'secrets.vault' => true,
- 'security.access.authenticated_voter' => true,
- 'security.access.decision_manager' => true,
- 'security.access.simple_role_voter' => true,
- 'security.access_listener' => true,
- 'security.access_map' => true,
- 'security.access_token_extractor.header' => true,
- 'security.access_token_extractor.query_string' => true,
- 'security.access_token_extractor.request_body' => true,
- 'security.access_token_handler.oidc' => true,
- 'security.access_token_handler.oidc.jwk' => true,
- 'security.access_token_handler.oidc.signature' => true,
- 'security.access_token_handler.oidc.signature.ES256' => true,
- 'security.access_token_handler.oidc.signature.ES384' => true,
- 'security.access_token_handler.oidc.signature.ES512' => true,
- 'security.access_token_handler.oidc_user_info' => true,
- 'security.access_token_handler.oidc_user_info.http_client' => true,
- 'security.authentication.custom_failure_handler' => true,
- 'security.authentication.custom_success_handler' => true,
- 'security.authentication.failure_handler' => true,
- 'security.authentication.failure_handler.login.json_login' => true,
- 'security.authentication.listener.abstract' => true,
- 'security.authentication.session_strategy' => true,
- 'security.authentication.session_strategy.api' => true,
- 'security.authentication.session_strategy.login' => true,
- 'security.authentication.session_strategy.main' => true,
- 'security.authentication.session_strategy_noop' => true,
- 'security.authentication.success_handler' => true,
- 'security.authentication.success_handler.login.json_login' => true,
- 'security.authentication.switchuser_listener' => true,
- 'security.authentication.trust_resolver' => true,
- 'security.authentication_utils' => true,
- 'security.authenticator.access_token' => true,
- 'security.authenticator.access_token.chain_extractor' => true,
- 'security.authenticator.form_login' => true,
- 'security.authenticator.http_basic' => true,
- 'security.authenticator.json_login' => true,
- 'security.authenticator.json_login.login' => true,
- 'security.authenticator.jwt.api' => true,
- 'security.authenticator.manager' => true,
- 'security.authenticator.manager.api' => true,
- 'security.authenticator.manager.login' => true,
- 'security.authenticator.manager.main' => true,
- 'security.authenticator.managers_locator' => true,
- 'security.authenticator.remote_user' => true,
- 'security.authenticator.x509' => true,
- 'security.authorization_checker' => true,
- 'security.channel_listener' => true,
- 'security.command.debug_firewall' => true,
- 'security.command.user_password_hash' => true,
- 'security.context_listener' => true,
- 'security.context_listener.0' => true,
- 'security.csrf.token_generator' => true,
- 'security.csrf.token_manager' => true,
- 'security.csrf.token_storage' => true,
- 'security.event_dispatcher.api' => true,
- 'security.event_dispatcher.login' => true,
- 'security.event_dispatcher.main' => true,
- 'security.exception_listener' => true,
- 'security.exception_listener.api' => true,
- 'security.exception_listener.login' => true,
- 'security.exception_listener.main' => true,
- 'security.firewall' => true,
- 'security.firewall.authenticator' => true,
- 'security.firewall.authenticator.api' => true,
- 'security.firewall.authenticator.login' => true,
- 'security.firewall.authenticator.main' => true,
- 'security.firewall.config' => true,
- 'security.firewall.context' => true,
- 'security.firewall.context_locator' => true,
- 'security.firewall.event_dispatcher_locator' => true,
- 'security.firewall.lazy_context' => true,
- 'security.firewall.map' => true,
- 'security.firewall.map.config.api' => true,
- 'security.firewall.map.config.dev' => true,
- 'security.firewall.map.config.login' => true,
- 'security.firewall.map.config.main' => true,
- 'security.firewall.map.context.api' => true,
- 'security.firewall.map.context.dev' => true,
- 'security.firewall.map.context.login' => true,
- 'security.firewall.map.context.main' => true,
- 'security.helper' => true,
- 'security.http_utils' => true,
- 'security.impersonate_url_generator' => true,
- 'security.ldap_locator' => true,
- 'security.listener.check_authenticator_credentials' => true,
- 'security.listener.csrf_protection' => true,
- 'security.listener.login_throttling' => true,
- 'security.listener.main.user_provider' => true,
- 'security.listener.password_migrating' => true,
- 'security.listener.session' => true,
- 'security.listener.session.main' => true,
- 'security.listener.user_checker' => true,
- 'security.listener.user_checker.api' => true,
- 'security.listener.user_checker.login' => true,
- 'security.listener.user_checker.main' => true,
- 'security.listener.user_provider' => true,
- 'security.listener.user_provider.abstract' => true,
- 'security.logout.listener.clear_site_data' => true,
- 'security.logout.listener.cookie_clearing' => true,
- 'security.logout.listener.csrf_token_clearing' => true,
- 'security.logout.listener.default' => true,
- 'security.logout.listener.session' => true,
- 'security.logout_listener' => true,
- 'security.logout_url_generator' => true,
- 'security.password_hasher' => true,
- 'security.password_hasher_factory' => true,
- 'security.role_hierarchy' => true,
- 'security.security_token_value_resolver' => true,
- 'security.token_storage' => true,
- 'security.untracked_token_storage' => true,
- 'security.user.provider.chain' => true,
- 'security.user.provider.concrete.app_user_provider' => true,
- 'security.user.provider.in_memory' => true,
- 'security.user.provider.ldap' => true,
- 'security.user.provider.missing' => true,
- 'security.user_authenticator' => true,
- 'security.user_checker' => true,
- 'security.user_checker.api' => true,
- 'security.user_checker.chain.api' => true,
- 'security.user_checker.chain.login' => true,
- 'security.user_checker.chain.main' => true,
- 'security.user_checker.login' => true,
- 'security.user_checker.main' => true,
- 'security.user_password_hasher' => true,
- 'security.user_providers' => true,
- 'security.user_value_resolver' => true,
- 'security.validator.user_password' => true,
- 'session.abstract_handler' => true,
- 'session.factory' => true,
- 'session.handler' => true,
- 'session.handler.native' => true,
- 'session.handler.native_file' => true,
- 'session.marshaller' => true,
- 'session.marshalling_handler' => true,
- 'session.storage.factory' => true,
- 'session.storage.factory.mock_file' => true,
- 'session.storage.factory.native' => true,
- 'session.storage.factory.php_bridge' => true,
- 'session_listener' => true,
- 'slugger' => true,
- 'twig' => true,
- 'twig.app_variable' => true,
- 'twig.command.debug' => true,
- 'twig.command.lint' => true,
- 'twig.configurator.environment' => true,
- 'twig.error_renderer.html' => true,
- 'twig.error_renderer.html.inner' => true,
- 'twig.extension.assets' => true,
- 'twig.extension.code' => true,
- 'twig.extension.debug' => true,
- 'twig.extension.debug.stopwatch' => true,
- 'twig.extension.expression' => true,
- 'twig.extension.htmlsanitizer' => true,
- 'twig.extension.httpfoundation' => true,
- 'twig.extension.httpkernel' => true,
- 'twig.extension.logout_url' => true,
- 'twig.extension.profiler' => true,
- 'twig.extension.routing' => true,
- 'twig.extension.security' => true,
- 'twig.extension.security_csrf' => true,
- 'twig.extension.serializer' => true,
- 'twig.extension.trans' => true,
- 'twig.extension.weblink' => true,
- 'twig.extension.yaml' => true,
- 'twig.loader' => true,
- 'twig.loader.chain' => true,
- 'twig.loader.filesystem' => true,
- 'twig.loader.native_filesystem' => true,
- 'twig.mailer.message_listener' => true,
- 'twig.mime_body_renderer' => true,
- 'twig.profile' => true,
- 'twig.runtime.httpkernel' => true,
- 'twig.runtime.security_csrf' => true,
- 'twig.runtime.serializer' => true,
- 'twig.runtime_loader' => true,
- 'twig.template_cache_warmer' => true,
- 'twig.template_iterator' => true,
- 'uri_signer' => true,
- 'url_helper' => true,
- 'validate_request_listener' => true,
- 'validator' => true,
- 'validator.builder' => true,
- 'validator.email' => true,
- 'validator.expression' => true,
- 'validator.mapping.cache.adapter' => true,
- 'validator.mapping.cache_warmer' => true,
- 'validator.mapping.class_metadata_factory' => true,
- 'validator.no_suspicious_characters' => true,
- 'validator.not_compromised_password' => true,
- 'validator.property_info_loader' => true,
- 'validator.validator_factory' => true,
- 'validator.when' => true,
- 'workflow.twig_extension' => true,
-];
diff --git a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.php b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.php
index 161d0568..84661e10 100644
--- a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.php
+++ b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.php
@@ -2,20 +2,20 @@
// This file has been auto-generated by the Symfony Dependency Injection Component for internal use.
-if (\class_exists(\ContainerTIh3mEX\DMD_LaLigaApi_KernelDevDebugContainer::class, false)) {
+if (\class_exists(\ContainerWxmweFG\DMD_LaLigaApi_KernelDevDebugContainer::class, false)) {
// no-op
-} elseif (!include __DIR__.'/ContainerTIh3mEX/DMD_LaLigaApi_KernelDevDebugContainer.php') {
- touch(__DIR__.'/ContainerTIh3mEX.legacy');
+} elseif (!include __DIR__.'/ContainerWxmweFG/DMD_LaLigaApi_KernelDevDebugContainer.php') {
+ touch(__DIR__.'/ContainerWxmweFG.legacy');
return;
}
if (!\class_exists(DMD_LaLigaApi_KernelDevDebugContainer::class, false)) {
- \class_alias(\ContainerTIh3mEX\DMD_LaLigaApi_KernelDevDebugContainer::class, DMD_LaLigaApi_KernelDevDebugContainer::class, false);
+ \class_alias(\ContainerWxmweFG\DMD_LaLigaApi_KernelDevDebugContainer::class, DMD_LaLigaApi_KernelDevDebugContainer::class, false);
}
-return new \ContainerTIh3mEX\DMD_LaLigaApi_KernelDevDebugContainer([
- 'container.build_hash' => 'TIh3mEX',
- 'container.build_id' => '2c2a0897',
- 'container.build_time' => 1720131319,
-], __DIR__.\DIRECTORY_SEPARATOR.'ContainerTIh3mEX');
+return new \ContainerWxmweFG\DMD_LaLigaApi_KernelDevDebugContainer([
+ 'container.build_hash' => 'WxmweFG',
+ 'container.build_id' => '24dcef0e',
+ 'container.build_time' => 1721513288,
+], __DIR__.\DIRECTORY_SEPARATOR.'ContainerWxmweFG');
diff --git a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.php.meta b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.php.meta
index adcb46c6..c0940509 100644
Binary files a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.php.meta and b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.php.meta differ
diff --git a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.preload.php b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.preload.php
index 7945e5ff..8bc58a45 100644
--- a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.preload.php
+++ b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.preload.php
@@ -10,190 +10,192 @@ if (in_array(PHP_SAPI, ['cli', 'phpdbg'], true)) {
}
require dirname(__DIR__, 3).''.\DIRECTORY_SEPARATOR.'vendor/autoload.php';
-(require __DIR__.'/DMD_LaLigaApi_KernelDevDebugContainer.php')->set(\ContainerTIh3mEX\DMD_LaLigaApi_KernelDevDebugContainer::class, null);
-require __DIR__.'/ContainerTIh3mEX/EntityManagerGhostAd02211.php';
-require __DIR__.'/ContainerTIh3mEX/RequestPayloadValueResolverGhostE4c6c7a.php';
-require __DIR__.'/ContainerTIh3mEX/getValidator_WhenService.php';
-require __DIR__.'/ContainerTIh3mEX/getValidator_NotCompromisedPasswordService.php';
-require __DIR__.'/ContainerTIh3mEX/getValidator_NoSuspiciousCharactersService.php';
-require __DIR__.'/ContainerTIh3mEX/getValidator_ExpressionService.php';
-require __DIR__.'/ContainerTIh3mEX/getValidator_EmailService.php';
-require __DIR__.'/ContainerTIh3mEX/getValidator_BuilderService.php';
-require __DIR__.'/ContainerTIh3mEX/getValidatorService.php';
-require __DIR__.'/ContainerTIh3mEX/getTwig_Runtime_SecurityCsrfService.php';
-require __DIR__.'/ContainerTIh3mEX/getTwig_Runtime_HttpkernelService.php';
-require __DIR__.'/ContainerTIh3mEX/getTwig_Mailer_MessageListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getTwigService.php';
-require __DIR__.'/ContainerTIh3mEX/getSession_Handler_NativeService.php';
-require __DIR__.'/ContainerTIh3mEX/getSession_FactoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getServicesResetterService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Validator_UserPasswordService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_UserPasswordHasherService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_UserCheckerService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_User_Provider_Concrete_AppUserProviderService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_PasswordHasherFactoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Logout_Listener_CsrfTokenClearingService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_UserProviderService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_UserChecker_MainService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_UserChecker_LoginService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_UserChecker_ApiService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_Session_MainService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_PasswordMigratingService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_Main_UserProviderService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_CsrfProtectionService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Listener_CheckAuthenticatorCredentialsService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_HttpUtilsService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_HelperService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Firewall_Map_Context_MainService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Firewall_Map_Context_LoginService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Firewall_Map_Context_DevService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Firewall_Map_Context_ApiService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Firewall_EventDispatcherLocatorService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Csrf_TokenStorageService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Csrf_TokenManagerService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_ChannelListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Authenticator_ManagersLocatorService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Authenticator_Manager_MainService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Authenticator_Manager_LoginService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Authenticator_Manager_ApiService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Authenticator_Jwt_ApiService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_Authenticator_JsonLogin_LoginService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_AccessMapService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecurity_AccessListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getSecrets_VaultService.php';
-require __DIR__.'/ContainerTIh3mEX/getRouting_LoaderService.php';
-require __DIR__.'/ContainerTIh3mEX/getPropertyInfoService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_Routes_DefaultService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_RenderDocsService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_ModelDescribers_ObjectService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_Generator_DefaultService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_Describers_Route_DefaultService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_Describers_OpenapiPhp_DefaultService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_Describers_ConfigService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_Controller_SwaggerYamlService.php';
-require __DIR__.'/ContainerTIh3mEX/getNelmioApiDoc_Controller_SwaggerJsonService.php';
-require __DIR__.'/ContainerTIh3mEX/getMailer_TransportsService.php';
-require __DIR__.'/ContainerTIh3mEX/getMailer_TransportFactory_SmtpService.php';
-require __DIR__.'/ContainerTIh3mEX/getMailer_TransportFactory_SendmailService.php';
-require __DIR__.'/ContainerTIh3mEX/getMailer_TransportFactory_NullService.php';
-require __DIR__.'/ContainerTIh3mEX/getMailer_TransportFactory_NativeService.php';
-require __DIR__.'/ContainerTIh3mEX/getMailer_MailerService.php';
-require __DIR__.'/ContainerTIh3mEX/getLexikJwtAuthentication_KeyLoaderService.php';
-require __DIR__.'/ContainerTIh3mEX/getLexikJwtAuthentication_JwtManagerService.php';
-require __DIR__.'/ContainerTIh3mEX/getLexikJwtAuthentication_EncoderService.php';
-require __DIR__.'/ContainerTIh3mEX/getFragment_Renderer_InlineService.php';
-require __DIR__.'/ContainerTIh3mEX/getErrorControllerService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_UuidGeneratorService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_UlidGeneratorService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Orm_Validator_UniqueService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Orm_Listeners_PdoSessionHandlerSchemaListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Orm_Listeners_LockStoreSchemaListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Orm_Listeners_DoctrineTokenProviderSchemaListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Orm_Listeners_DoctrineDbalCacheAdapterSchemaListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Orm_DefaultListeners_AttachEntityListenersService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Orm_DefaultEntityManager_PropertyInfoExtractorService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Orm_DefaultEntityManagerService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Dbal_DefaultConnection_EventManagerService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrine_Dbal_DefaultConnectionService.php';
-require __DIR__.'/ContainerTIh3mEX/getDoctrineService.php';
-require __DIR__.'/ContainerTIh3mEX/getDebug_Security_Voter_VoteListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getDebug_Security_Firewall_Authenticator_MainService.php';
-require __DIR__.'/ContainerTIh3mEX/getDebug_Security_Firewall_Authenticator_LoginService.php';
-require __DIR__.'/ContainerTIh3mEX/getDebug_Security_Firewall_Authenticator_ApiService.php';
-require __DIR__.'/ContainerTIh3mEX/getDebug_Security_EventDispatcher_LoginService.php';
-require __DIR__.'/ContainerTIh3mEX/getDebug_Security_EventDispatcher_ApiService.php';
-require __DIR__.'/ContainerTIh3mEX/getDebug_ErrorHandlerConfiguratorService.php';
-require __DIR__.'/ContainerTIh3mEX/getController_TemplateAttributeListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getContainer_GetRoutingConditionServiceService.php';
-require __DIR__.'/ContainerTIh3mEX/getContainer_EnvVarProcessorsLocatorService.php';
-require __DIR__.'/ContainerTIh3mEX/getContainer_EnvVarProcessorService.php';
-require __DIR__.'/ContainerTIh3mEX/getCache_ValidatorExpressionLanguageService.php';
-require __DIR__.'/ContainerTIh3mEX/getCache_SystemClearerService.php';
-require __DIR__.'/ContainerTIh3mEX/getCache_SystemService.php';
-require __DIR__.'/ContainerTIh3mEX/getCache_SecurityIsGrantedAttributeExpressionLanguageService.php';
-require __DIR__.'/ContainerTIh3mEX/getCache_GlobalClearerService.php';
-require __DIR__.'/ContainerTIh3mEX/getCache_AppClearerService.php';
-require __DIR__.'/ContainerTIh3mEX/getCache_AppService.php';
-require __DIR__.'/ContainerTIh3mEX/getTemplateControllerService.php';
-require __DIR__.'/ContainerTIh3mEX/getRedirectControllerService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleUpdateUserService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleRegistrationService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleGetNotificationsService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleDeleteUserService.php';
-require __DIR__.'/ContainerTIh3mEX/getUserSaverService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleGetAllFacilitiesService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleCreateSeasonService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleCreateGameCalendarRequestService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleCreateFacilitiesService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleAddTeamService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleUpdateLeagueService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleNewJoinLeagueRequestService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleCaptainRequestService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleGetLeagueByIdService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleGetAllLeaguesService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleDeclineJoinLeagueRequestService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleCreateLeagueService.php';
-require __DIR__.'/ContainerTIh3mEX/getHandleAcceptJoinLeagueRequestService.php';
-require __DIR__.'/ContainerTIh3mEX/getNotificationFactoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getEmailSenderService.php';
-require __DIR__.'/ContainerTIh3mEX/getAuthorizeRequestService.php';
-require __DIR__.'/ContainerTIh3mEX/getUserRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getTeamRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getSeasonRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getSeasonDataRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getPlayerRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getNotificationRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getLogRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getLeagueRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getGameRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getFileRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getFacilityRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getCustomRoleRepositoryService.php';
-require __DIR__.'/ContainerTIh3mEX/getExceptionListenerService.php';
-require __DIR__.'/ContainerTIh3mEX/getUserControllerService.php';
-require __DIR__.'/ContainerTIh3mEX/getSeasonControllerService.php';
-require __DIR__.'/ContainerTIh3mEX/getNotificationControllerService.php';
-require __DIR__.'/ContainerTIh3mEX/getLeagueControllerService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_Y4Zrx_Service.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_K8rLaojService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_JzhWNcbService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_IdpQYdIService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_HAmcZCCService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_G3NSLSCService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_BNYvrCqService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_YUfsgoAService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_X_XUSKjService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_UgMf8_IService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_RQy_OTOService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_PJHysgXService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_O2p6Lk7Service.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_Kun9UOkService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_Jf7ZX1MService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_GqgSDnyService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_G1XuiGsService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_FoktWoUService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_EAMCOjqService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_BpNZAIPService.php';
-require __DIR__.'/ContainerTIh3mEX/get_ServiceLocator_8eLXVuLService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Security_RequestMatcher_Vhy2oy3Service.php';
-require __DIR__.'/ContainerTIh3mEX/get_Security_RequestMatcher_KLbKLHaService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Security_RequestMatcher_0QxrXJtService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_Security_UserValueResolverService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_Security_SecurityTokenValueResolverService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_Doctrine_Orm_EntityValueResolverService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_VariadicService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_SessionService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_ServiceService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_RequestPayloadService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_RequestAttributeService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_RequestService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_QueryParameterValueResolverService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_NotTaggedControllerService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_DefaultService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_DatetimeService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_ValueResolver_ArgumentResolver_BackedEnumResolverService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_Security_Voter_Security_Access_SimpleRoleVoterService.php';
-require __DIR__.'/ContainerTIh3mEX/get_Debug_Security_Voter_Security_Access_AuthenticatedVoterService.php';
+(require __DIR__.'/DMD_LaLigaApi_KernelDevDebugContainer.php')->set(\ContainerWxmweFG\DMD_LaLigaApi_KernelDevDebugContainer::class, null);
+require __DIR__.'/ContainerWxmweFG/EntityManagerGhostAd02211.php';
+require __DIR__.'/ContainerWxmweFG/RequestPayloadValueResolverGhostE4c6c7a.php';
+require __DIR__.'/ContainerWxmweFG/getValidator_WhenService.php';
+require __DIR__.'/ContainerWxmweFG/getValidator_NotCompromisedPasswordService.php';
+require __DIR__.'/ContainerWxmweFG/getValidator_NoSuspiciousCharactersService.php';
+require __DIR__.'/ContainerWxmweFG/getValidator_ExpressionService.php';
+require __DIR__.'/ContainerWxmweFG/getValidator_EmailService.php';
+require __DIR__.'/ContainerWxmweFG/getValidator_BuilderService.php';
+require __DIR__.'/ContainerWxmweFG/getValidatorService.php';
+require __DIR__.'/ContainerWxmweFG/getTwig_Runtime_SecurityCsrfService.php';
+require __DIR__.'/ContainerWxmweFG/getTwig_Runtime_HttpkernelService.php';
+require __DIR__.'/ContainerWxmweFG/getTwig_Mailer_MessageListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getTwigService.php';
+require __DIR__.'/ContainerWxmweFG/getSession_Handler_NativeService.php';
+require __DIR__.'/ContainerWxmweFG/getSession_FactoryService.php';
+require __DIR__.'/ContainerWxmweFG/getServicesResetterService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Validator_UserPasswordService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_UserPasswordHasherService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_UserCheckerService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_User_Provider_Concrete_AppUserProviderService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_PasswordHasherFactoryService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Logout_Listener_CsrfTokenClearingService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_UserProviderService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_UserChecker_MainService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_UserChecker_LoginService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_UserChecker_ApiService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_Session_MainService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_PasswordMigratingService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_Main_UserProviderService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_CsrfProtectionService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Listener_CheckAuthenticatorCredentialsService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_HttpUtilsService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_HelperService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Firewall_Map_Context_MainService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Firewall_Map_Context_LoginService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Firewall_Map_Context_DevService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Firewall_Map_Context_ApiService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Firewall_EventDispatcherLocatorService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Csrf_TokenStorageService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Csrf_TokenManagerService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_ChannelListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Authenticator_ManagersLocatorService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Authenticator_Manager_MainService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Authenticator_Manager_LoginService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Authenticator_Manager_ApiService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Authenticator_Jwt_ApiService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_Authenticator_JsonLogin_LoginService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_AccessMapService.php';
+require __DIR__.'/ContainerWxmweFG/getSecurity_AccessListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getSecrets_VaultService.php';
+require __DIR__.'/ContainerWxmweFG/getRouting_LoaderService.php';
+require __DIR__.'/ContainerWxmweFG/getPropertyInfoService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_Routes_DefaultService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_RenderDocsService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_ModelDescribers_ObjectService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_Generator_DefaultService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_Describers_Route_DefaultService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_Describers_OpenapiPhp_DefaultService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_Describers_ConfigService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_Controller_SwaggerYamlService.php';
+require __DIR__.'/ContainerWxmweFG/getNelmioApiDoc_Controller_SwaggerJsonService.php';
+require __DIR__.'/ContainerWxmweFG/getMailer_TransportsService.php';
+require __DIR__.'/ContainerWxmweFG/getMailer_TransportFactory_SmtpService.php';
+require __DIR__.'/ContainerWxmweFG/getMailer_TransportFactory_SendmailService.php';
+require __DIR__.'/ContainerWxmweFG/getMailer_TransportFactory_NullService.php';
+require __DIR__.'/ContainerWxmweFG/getMailer_TransportFactory_NativeService.php';
+require __DIR__.'/ContainerWxmweFG/getMailer_MailerService.php';
+require __DIR__.'/ContainerWxmweFG/getLexikJwtAuthentication_KeyLoaderService.php';
+require __DIR__.'/ContainerWxmweFG/getLexikJwtAuthentication_JwtManagerService.php';
+require __DIR__.'/ContainerWxmweFG/getLexikJwtAuthentication_EncoderService.php';
+require __DIR__.'/ContainerWxmweFG/getFragment_Renderer_InlineService.php';
+require __DIR__.'/ContainerWxmweFG/getErrorControllerService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_UuidGeneratorService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_UlidGeneratorService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Orm_Validator_UniqueService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Orm_Listeners_PdoSessionHandlerSchemaListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Orm_Listeners_LockStoreSchemaListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Orm_Listeners_DoctrineTokenProviderSchemaListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Orm_Listeners_DoctrineDbalCacheAdapterSchemaListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Orm_DefaultListeners_AttachEntityListenersService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Orm_DefaultEntityManager_PropertyInfoExtractorService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Orm_DefaultEntityManagerService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Dbal_DefaultConnection_EventManagerService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrine_Dbal_DefaultConnectionService.php';
+require __DIR__.'/ContainerWxmweFG/getDoctrineService.php';
+require __DIR__.'/ContainerWxmweFG/getDebug_Security_Voter_VoteListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getDebug_Security_Firewall_Authenticator_MainService.php';
+require __DIR__.'/ContainerWxmweFG/getDebug_Security_Firewall_Authenticator_LoginService.php';
+require __DIR__.'/ContainerWxmweFG/getDebug_Security_Firewall_Authenticator_ApiService.php';
+require __DIR__.'/ContainerWxmweFG/getDebug_Security_EventDispatcher_LoginService.php';
+require __DIR__.'/ContainerWxmweFG/getDebug_Security_EventDispatcher_ApiService.php';
+require __DIR__.'/ContainerWxmweFG/getDebug_ErrorHandlerConfiguratorService.php';
+require __DIR__.'/ContainerWxmweFG/getController_TemplateAttributeListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getContainer_GetRoutingConditionServiceService.php';
+require __DIR__.'/ContainerWxmweFG/getContainer_EnvVarProcessorsLocatorService.php';
+require __DIR__.'/ContainerWxmweFG/getContainer_EnvVarProcessorService.php';
+require __DIR__.'/ContainerWxmweFG/getCache_ValidatorExpressionLanguageService.php';
+require __DIR__.'/ContainerWxmweFG/getCache_SystemClearerService.php';
+require __DIR__.'/ContainerWxmweFG/getCache_SystemService.php';
+require __DIR__.'/ContainerWxmweFG/getCache_SecurityIsGrantedAttributeExpressionLanguageService.php';
+require __DIR__.'/ContainerWxmweFG/getCache_GlobalClearerService.php';
+require __DIR__.'/ContainerWxmweFG/getCache_AppClearerService.php';
+require __DIR__.'/ContainerWxmweFG/getCache_AppService.php';
+require __DIR__.'/ContainerWxmweFG/getTemplateControllerService.php';
+require __DIR__.'/ContainerWxmweFG/getRedirectControllerService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleUpdateUserService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleRegistrationService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleGetNotificationsService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleDeleteUserService.php';
+require __DIR__.'/ContainerWxmweFG/getUserSaverService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleGetAllTeamsService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleGetAllFacilitiesService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleCreateSeasonService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleCreateGameCalendarRequestService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleCreateFacilitiesService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleAddTeamListService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleUpdateLeagueService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleNewJoinLeagueRequestService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleCaptainRequestService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleGetLeagueByIdService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleGetAllLeaguesService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleDeclineJoinLeagueRequestService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleCreateLeagueService.php';
+require __DIR__.'/ContainerWxmweFG/getHandleAcceptJoinLeagueRequestService.php';
+require __DIR__.'/ContainerWxmweFG/getNotificationFactoryService.php';
+require __DIR__.'/ContainerWxmweFG/getEmailSenderService.php';
+require __DIR__.'/ContainerWxmweFG/getAuthorizeRequestService.php';
+require __DIR__.'/ContainerWxmweFG/getUserRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getTeamRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getSeasonRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getSeasonDataRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getPlayerRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getNotificationRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getLogRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getLeagueRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getGameRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getFileRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getFacilityRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getCustomRoleRepositoryService.php';
+require __DIR__.'/ContainerWxmweFG/getExceptionListenerService.php';
+require __DIR__.'/ContainerWxmweFG/getUserControllerService.php';
+require __DIR__.'/ContainerWxmweFG/getSeasonControllerService.php';
+require __DIR__.'/ContainerWxmweFG/getNotificationControllerService.php';
+require __DIR__.'/ContainerWxmweFG/getLeagueControllerService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_Y4Zrx_Service.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_NhljM4PService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_KKTO7tCService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_K8rLaojService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_JzhWNcbService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_IdpQYdIService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_G3NSLSCService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_YUfsgoAService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_X_XUSKjService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_UgMf8_IService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_RQy_OTOService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_PJHysgXService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_O2p6Lk7Service.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_Kun9UOkService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_Jf7ZX1MService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_GqgSDnyService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_G1XuiGsService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_FoktWoUService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_EHlPtoDService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_EAMCOjqService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_BpNZAIPService.php';
+require __DIR__.'/ContainerWxmweFG/get_ServiceLocator_8eLXVuLService.php';
+require __DIR__.'/ContainerWxmweFG/get_Security_RequestMatcher_Vhy2oy3Service.php';
+require __DIR__.'/ContainerWxmweFG/get_Security_RequestMatcher_KLbKLHaService.php';
+require __DIR__.'/ContainerWxmweFG/get_Security_RequestMatcher_0QxrXJtService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_Security_UserValueResolverService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_Security_SecurityTokenValueResolverService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_Doctrine_Orm_EntityValueResolverService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_VariadicService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_SessionService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_ServiceService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_RequestPayloadService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_RequestAttributeService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_RequestService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_QueryParameterValueResolverService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_NotTaggedControllerService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_DefaultService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_DatetimeService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_ValueResolver_ArgumentResolver_BackedEnumResolverService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_Security_Voter_Security_Access_SimpleRoleVoterService.php';
+require __DIR__.'/ContainerWxmweFG/get_Debug_Security_Voter_Security_Access_AuthenticatedVoterService.php';
$classes = [];
$classes[] = 'Symfony\Bundle\FrameworkBundle\FrameworkBundle';
@@ -256,13 +258,14 @@ $classes[] = 'DMD\LaLigaApi\Service\League\getLeagueById\HandleGetLeagueById';
$classes[] = 'DMD\LaLigaApi\Service\League\joinTeam\HandleCaptainRequest';
$classes[] = 'DMD\LaLigaApi\Service\League\newJoinLeagueRequest\HandleNewJoinLeagueRequest';
$classes[] = 'DMD\LaLigaApi\Service\League\updateLeague\HandleUpdateLeague';
-$classes[] = 'DMD\LaLigaApi\Service\Season\addTeam\HandleAddTeam';
+$classes[] = 'DMD\LaLigaApi\Service\Season\addTeam\HandleAddTeamList';
$classes[] = 'DMD\LaLigaApi\Service\Season\createFacilities\HandleCreateFacilities';
$classes[] = 'DMD\LaLigaApi\Service\Common\FacilityFactory';
$classes[] = 'DMD\LaLigaApi\Service\Season\createGameCalendar\HandleCreateGameCalendarRequest';
$classes[] = 'DMD\LaLigaApi\Service\Season\createSeason\HandleCreateSeason';
$classes[] = 'DMD\LaLigaApi\Service\Season\SeasonFactory';
$classes[] = 'DMD\LaLigaApi\Service\Season\getAllFacilities\HandleGetAllFacilities';
+$classes[] = 'DMD\LaLigaApi\Service\Season\getAllTeams\HandleGetAllTeams';
$classes[] = 'DMD\LaLigaApi\Service\User\Handlers\UserSaver';
$classes[] = 'DMD\LaLigaApi\Service\User\Handlers\delete\HandleDeleteUser';
$classes[] = 'DMD\LaLigaApi\Service\User\Handlers\getNotifications\HandleGetNotifications';
diff --git a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.xml b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.xml
index 3426e34c..3239f61a 100644
--- a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.xml
+++ b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.xml
@@ -411,7 +411,7 @@
-
+
@@ -448,6 +448,12 @@
+
+
+
+
+
+
@@ -514,7 +520,7 @@
controller.argument_value_resolver
-
+
controller.argument_value_resolver
@@ -1852,7 +1858,7 @@
-
+
@@ -2652,9 +2658,7 @@
-
- default
-
+
@@ -5367,10 +5371,16 @@
-
+
-
+
+
+
+
+
+
+
@@ -5417,7 +5427,7 @@
-
+
@@ -5430,10 +5440,11 @@
-
+
+
@@ -5452,10 +5463,11 @@
-
+
+
@@ -6870,7 +6882,7 @@
-
+
@@ -6878,7 +6890,7 @@
-
+
@@ -6906,7 +6918,8 @@
-
+
+
diff --git a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.xml.meta b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.xml.meta
index 5719b03e..31a8575b 100644
Binary files a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.xml.meta and b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainer.xml.meta differ
diff --git a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainerCompiler.log b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainerCompiler.log
index 7cb1964a..b89a6b98 100644
--- a/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainerCompiler.log
+++ b/var/cache/dev/DMD_LaLigaApi_KernelDevDebugContainerCompiler.log
@@ -231,7 +231,7 @@ Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.9L433w3"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.o.uf2zi"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.C6ESU5k"; reason: private alias.
-Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.0LkE2AA"; reason: private alias.
+Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.ps2_x41"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.BFrsqsn"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.LMuqDDe"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.jUv.zyj"; reason: private alias.
@@ -258,7 +258,8 @@ Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.Jg.pCCn"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.H6m0t47"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.pR4c.1j"; reason: private alias.
-Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.odlcL3K"; reason: private alias.
+Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.AlojN3K"; reason: private alias.
+Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.M.12KGJ"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.TcLmKeC"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.Yh6vd4o"; reason: private alias.
Symfony\Component\DependencyInjection\Compiler\RemovePrivateAliasesPass: Removed service ".service_locator.7sCphGU"; reason: private alias.
diff --git a/var/cache/dev/doctrine/orm/Proxies/__CG__DMDLaLigaApiEntitySeason.php b/var/cache/dev/doctrine/orm/Proxies/__CG__DMDLaLigaApiEntitySeason.php
index e6858916..388c5a4d 100644
--- a/var/cache/dev/doctrine/orm/Proxies/__CG__DMDLaLigaApiEntitySeason.php
+++ b/var/cache/dev/doctrine/orm/Proxies/__CG__DMDLaLigaApiEntitySeason.php
@@ -22,6 +22,7 @@ class Season extends \DMD\LaLigaApi\Entity\Season implements \Doctrine\ORM\Proxy
"\0".parent::class."\0".'facilities' => [parent::class, 'facilities', null],
"\0".parent::class."\0".'files' => [parent::class, 'files', null],
"\0".parent::class."\0".'games' => [parent::class, 'games', null],
+ "\0".parent::class."\0".'gamesPerWeek' => [parent::class, 'gamesPerWeek', null],
"\0".parent::class."\0".'id' => [parent::class, 'id', null],
"\0".parent::class."\0".'league' => [parent::class, 'league', null],
"\0".parent::class."\0".'pointsPerDraw' => [parent::class, 'pointsPerDraw', null],
@@ -35,6 +36,7 @@ class Season extends \DMD\LaLigaApi\Entity\Season implements \Doctrine\ORM\Proxy
'facilities' => [parent::class, 'facilities', null],
'files' => [parent::class, 'files', null],
'games' => [parent::class, 'games', null],
+ 'gamesPerWeek' => [parent::class, 'gamesPerWeek', null],
'id' => [parent::class, 'id', null],
'league' => [parent::class, 'league', null],
'pointsPerDraw' => [parent::class, 'pointsPerDraw', null],
diff --git a/var/cache/dev/doctrine/orm/Proxies/__CG__DMDLaLigaApiEntityTeam.php b/var/cache/dev/doctrine/orm/Proxies/__CG__DMDLaLigaApiEntityTeam.php
index 9b8b73c5..78ae87f1 100644
--- a/var/cache/dev/doctrine/orm/Proxies/__CG__DMDLaLigaApiEntityTeam.php
+++ b/var/cache/dev/doctrine/orm/Proxies/__CG__DMDLaLigaApiEntityTeam.php
@@ -19,21 +19,27 @@ class Team extends \DMD\LaLigaApi\Entity\Team implements \Doctrine\ORM\Proxy\Int
"\0".parent::class."\0".'active' => [parent::class, 'active', null],
"\0".parent::class."\0".'captain' => [parent::class, 'captain', null],
"\0".parent::class."\0".'createdAt' => [parent::class, 'createdAt', null],
+ "\0".parent::class."\0".'dayOfTheWeekForHomeGame' => [parent::class, 'dayOfTheWeekForHomeGame', null],
"\0".parent::class."\0".'homeFacility' => [parent::class, 'homeFacility', null],
"\0".parent::class."\0".'id' => [parent::class, 'id', null],
+ "\0".parent::class."\0".'leagueId' => [parent::class, 'leagueId', null],
"\0".parent::class."\0".'name' => [parent::class, 'name', null],
"\0".parent::class."\0".'players' => [parent::class, 'players', null],
"\0".parent::class."\0".'seasonData' => [parent::class, 'seasonData', null],
"\0".parent::class."\0".'seasons' => [parent::class, 'seasons', null],
+ "\0".parent::class."\0".'teamLogo' => [parent::class, 'teamLogo', null],
'active' => [parent::class, 'active', null],
'captain' => [parent::class, 'captain', null],
'createdAt' => [parent::class, 'createdAt', null],
+ 'dayOfTheWeekForHomeGame' => [parent::class, 'dayOfTheWeekForHomeGame', null],
'homeFacility' => [parent::class, 'homeFacility', null],
'id' => [parent::class, 'id', null],
+ 'leagueId' => [parent::class, 'leagueId', null],
'name' => [parent::class, 'name', null],
'players' => [parent::class, 'players', null],
'seasonData' => [parent::class, 'seasonData', null],
'seasons' => [parent::class, 'seasons', null],
+ 'teamLogo' => [parent::class, 'teamLogo', null],
];
public function __isInitialized(): bool
diff --git a/var/cache/dev/url_matching_routes.php b/var/cache/dev/url_matching_routes.php
index 93b54e8d..f9877f88 100644
--- a/var/cache/dev/url_matching_routes.php
+++ b/var/cache/dev/url_matching_routes.php
@@ -15,7 +15,6 @@ return [
'/api/notifications' => [[['_route' => 'app_get_notifications', '_controller' => 'DMD\\LaLigaApi\\Controller\\NotificationController::getAllNotifications'], null, null, null, false, false, null]],
'/api/register' => [[['_route' => 'app_user_register', '_controller' => 'DMD\\LaLigaApi\\Controller\\UserController::createUser'], null, ['POST' => 0], null, false, false, null]],
'/api/user' => [[['_route' => 'app_user_delete', '_controller' => 'DMD\\LaLigaApi\\Controller\\UserController::deleteUser'], null, ['DELETE' => 0], null, true, false, null]],
- '/api/user/relationships' => [[['_route' => 'app_get_relationships', '_controller' => 'DMD\\LaLigaApi\\Controller\\UserController::getUserRelationships'], null, ['GET' => 0], null, false, false, null]],
'/api/user/edit' => [[['_route' => 'app_update_user', '_controller' => 'DMD\\LaLigaApi\\Controller\\UserController::updateUser'], null, ['PUT' => 0], null, false, false, null]],
'/api/user/password' => [[['_route' => 'app_user_change_password', '_controller' => 'DMD\\LaLigaApi\\Controller\\UserController::changePassword'], null, ['PUT' => 0], null, false, false, null]],
'/api/login_check' => [[['_route' => 'api_login_check'], null, null, null, false, false, null]],
@@ -32,16 +31,18 @@ return [
.'|season/(?'
.'|create(*:168)'
.'|([^/]++)/(?'
- .'|team(*:192)'
- .'|facilities(?'
- .'|/create(*:220)'
- .'|(*:228)'
+ .'|team(?'
+ .'|(*:195)'
.')'
- .'|calendar(*:245)'
+ .'|facilities(?'
+ .'|/create(*:224)'
+ .'|(*:232)'
+ .')'
+ .'|calendar(*:249)'
.')'
.')'
.')'
- .'|(*:256)'
+ .'|(*:260)'
.')'
.')/?$}sDu',
],
@@ -52,11 +53,14 @@ return [
120 => [[['_route' => 'app_accept_join_request', '_controller' => 'DMD\\LaLigaApi\\Controller\\LeagueController::acceptJoinRequest'], ['leagueId', 'userId'], ['GET' => 0], null, false, false, null]],
144 => [[['_route' => 'app_decline_join_request', '_controller' => 'DMD\\LaLigaApi\\Controller\\LeagueController::declineJoinRequest'], ['leagueId', 'captainId'], ['GET' => 0], null, false, true, null]],
168 => [[['_route' => 'app_add_season', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::addSeason'], ['leagueId'], ['POST' => 0], null, false, false, null]],
- 192 => [[['_route' => 'app_add_team', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::addTeam'], ['leagueId', 'seasonId'], ['POST' => 0], null, false, false, null]],
- 220 => [[['_route' => 'app_create_facilities', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::createFacilities'], ['leagueId', 'seasonId'], ['POST' => 0], null, false, false, null]],
- 228 => [[['_route' => 'app_get_all_facilities', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::getAllFacilities'], ['leagueId', 'seasonId'], ['GET' => 0], null, true, false, null]],
- 245 => [[['_route' => 'app_create_calendar', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::createCalendar'], ['leagueId', 'seasonId'], ['POST' => 0], null, false, false, null]],
- 256 => [
+ 195 => [
+ [['_route' => 'app_add_team', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::addTeam'], ['leagueId', 'seasonId'], ['POST' => 0], null, false, false, null],
+ [['_route' => 'app_get_all_teams', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::getAllTeam'], ['leagueId', 'seasonId'], ['GET' => 0], null, false, false, null],
+ ],
+ 224 => [[['_route' => 'app_create_facilities', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::createFacilities'], ['leagueId', 'seasonId'], ['POST' => 0], null, false, false, null]],
+ 232 => [[['_route' => 'app_get_all_facilities', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::getAllFacilities'], ['leagueId', 'seasonId'], ['GET' => 0], null, true, false, null]],
+ 249 => [[['_route' => 'app_create_calendar', '_controller' => 'DMD\\LaLigaApi\\Controller\\SeasonController::createCalendar'], ['leagueId', 'seasonId'], ['POST' => 0], null, false, false, null]],
+ 260 => [
[['_route' => 'app_get_league', '_controller' => 'DMD\\LaLigaApi\\Controller\\LeagueController::getLeagueById'], ['leagueId'], ['GET' => 0], null, false, true, null],
[null, null, null, null, false, false, 0],
],