<?php
namespace App\Controller;
use App\Entity\AcapellaDemand;
use App\Entity\Appointment;
use App\Entity\Attachment;
use App\Entity\Attachments;
use App\Entity\Commitment;
use App\Entity\FollowUpType;
use App\Entity\HistoryUser;
use App\Entity\Offer;
use App\Entity\User;
use App\Form\CommitmentType;
use App\Manager\SendInBlue;
use Doctrine\ORM\EntityManagerInterface;
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\Form\Extension\Core\Type\FileType;
use Symfony\Component\Form\Extension\Core\Type\SubmitType;
use Symfony\Component\HttpFoundation\File\Exception\FileException;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\Response;
use Symfony\Component\Routing\Annotation\Route;
use Symfony\Component\Validator\Constraints\File;
class CompanyController extends AbstractController
{
#[Route('/entreprises', name: 'company')]
public function index()
{
return $this->render('company/index.html.twig');
}
#[Route('/entreprise/engagement-recherche-candidat', name: 'company_commitment_search_user')]
public function commitmentSearchUser(): Response
{
return $this->redirectToRoute('company_send_mail_commitment');
}
#[Route('/entreprise/engagement/{id}', name: 'company_commitment')]
public function commitment(Request $request, $id, SendInBlue $sendInBlue, $token, EntityManagerInterface $em)
{
$commitment = $em->getRepository(Commitment::class)->findOneBy(['id' => $id]);
$user = $commitment->getUser();
if (!$commitment) {
$commitment = new Commitment();
}
$form = $this->createForm(CommitmentType::class, $commitment);
$form->handleRequest($request);
if ($form->isSubmitted() && $form->isValid()) {
if ($token == null) {
$commitment->setUser($user);
$token = md5(uniqid((string)rand(), true));
$commitment->setToken($token);
}
$commitment->setState(0);
$commitment->setReceivedOn(new \DateTime());
$commitment->setAuthor('company');
$commitment->setRf(false);
$commitment->setSetBy('company');
if (!$request->request->get('draft')) {
$commitment->setState(1);
$commitment->setDraft(false);
$user->setHasCompany(true);
$history = new HistoryUser();
$history->setUser($user);
$history->setDescription('Modification de l\'engagement par l\'entreprise');
$history->setCreatedAt(new \DateTimeImmutable());
$em->persist($history);
$siret = str_replace(' ', '', $commitment->getCompanySiret());
$user->setEditedAt(new \DateTime());
$em->persist($user);
$em->persist($commitment);
$em->flush();
return $this->redirectToRoute('company_commitment_confirmation', [
'token' => $commitment->getToken()
]);
} else {
$commitment->setDraft(true);
// Envoi d'un mail à l'entreprise contenant un lien pour finaliser l'engagement
$payloadMail = [
'to' => [
['email' => $commitment->getCompanyEmail()]
],
'templateId' => $sendInBlue->getTemplateId('commitment_draft'),
'params' => [
'url_button' => $_SERVER['SERVER_NAME'] . $this->generateUrl(
'company_commitment',
['id' => $user->getId(), 'token' => $token]
)
]
];
$sendInBlue->sendMail($payloadMail);
}
$em->persist($commitment);
$em->flush();
$this->addFlash('success', 'Moficitations éfféctuées');
return $this->redirectToRoute('company_commitment_confirmation', [
'token' => $commitment->getToken()
]);
}
$em->flush();
return $this->render('company/commitment.html.twig', [
'form' => $form->createView(),
'user' => $user
]);
}
/**
* @Route("/entreprise/engagement/confirmation/{token}", name="company_commitment_confirmation")
*/
public function commitmentConfirmation(Request $request, $token, EntityManagerInterface $em)
{
$commitment = $em->getRepository(Commitment::class)->findOneBy(['token' => $token]);
// Vérif de l'existance de l'engagement
if (!$commitment) {
return $this->redirectToRoute('home');
}
// Vérif du token
if (!$commitment->getToken()) {
return $this->redirectToRoute('home');
}
return $this->render('company/commitmentConfirm.html.twig', [
'commitment' => $commitment
]);
}
#[Route('/recherche-entreprises', name: 'search_company')]
public function searchCompanyUser(EntityManagerInterface $entityManager, Request $request)
{
if (!$this->getUser()) {
return $this->redirectToRoute('home');
}
$user = $entityManager->getRepository(User::class)->find($this->getUser());
if ($user->isHasCompany()) {
return $this->redirectToRoute('wait_to_end');
}
$allOffers = $entityManager->getRepository(Offer::class)->findBy(['state' => true], ['date' => 'DESC']);
$offers = [];
foreach ($allOffers as $offer) {
// Si l'offre est rattachée à une ou plusieurs formations
if (count($offer->getTraining()) > 0) {
foreach ($offer->getTraining() as $training) {
// Si la formation correspond à la formation du candidat
if ($training == $user->getTraining()) {
$offers[] = $offer;
}
}
} else {
// Sinon on l'affiche comme elle n'est pas limitée à une ou plusieurs
// formations donc visibles par tous les candidats
$offers[] = $offer;
}
}
// Ateliers
$appointments = $entityManager->getRepository(Appointment::class)->findAll();
$rdv = [];
foreach ($appointments as $app) {
foreach ($app->getTraining() as $appTr) {
if ($appTr->getId() == $user->getTraining()->getId()) {
$registrant = count($app->getAppointmentsChecks());
if ($registrant <= $app->getPlaces()) {
if ($app->getAppointmentType()->getId() != 8 and $app->getAppointmentType()->getId() != 9) {
$rdv[] = $app;
}
}
}
}
}
$appointmentsUser = $user->getAppointments();
$userFreeRdv = [];
foreach ($appointmentsUser as $appointment) {
if ($appointment->getAppointmentType()->getId() != 8 and $appointment->getAppointmentType()->getId() != 9) {
$userFreeRdv[] = $appointment;
}
}
// recuperation du CV
$cv = $entityManager->getRepository(Attachments::class)->findOneBy(['User' => $user, 'type' => 'cv']);
// si nouveau CV
$attachment = new Attachments();
$form = $this->createFormBuilder($attachment)
->add('cv', FileType::class, [
'label' => 'CV (format PDF)',
'mapped' => false,
'required' => false,
'attr' => [
'class' => 'form-control',
],
'constraints' => [
new File([
'maxSize' => '2048k',
'mimeTypes' => [
'application/pdf',
'application/x-pdf'
],
'mimeTypesMessage' => 'Choisissez un CV au format valide.',
'maxSizeMessage' => 'La taille de votre CV doit être inférieure ou égale à 2Mo',
])
],
])
->add('save', SubmitType::class, [
'label' => 'Enregistrer le CV'
])
->getForm();
$form->handleRequest($request);
if ($form->isSubmitted()) {
$cvFile = $form->get('cv')->getData();
if ($cvFile) {
$attachmentsUser = $entityManager->getRepository(Attachments::class)->findOneBy(
['User' => $user, "type" => "cv"]
);
if ($attachmentsUser == null) {
$attachment = new Attachments();
} else {
$attachment = $attachmentsUser;
}
$originalFilename = pathinfo($cvFile->getClientOriginalName(), PATHINFO_FILENAME);
$extension = pathinfo($cvFile->getClientOriginalName(), PATHINFO_EXTENSION);
// this is needed to safely include the file name as part of the URL
$newFilename =
'cv_' . $user->getLastname() . '-' . $user->getFirstname() . '-' .
$user->getPhone() . '-' . uniqid() . '.' . $extension;
try {
$cvFile->move(
$this->getParameter('cv_directory'),
$newFilename
);
} catch (FileException $e) {
// ... handle exception if something happens during file upload
$this->addFlash('error', 'Une erreur est survenue lors de l\'upload de votre CV');
return $this->redirectToRoute('search_company', [
'id' => $user->getId()
]);
}
$attachment->setPath($newFilename);
$entityManager->persist($attachment);
$entityManager->flush();
$this->addFlash('success', 'Votre CV a bien été modifié !');
return $this->redirectToRoute('search_company');
}
}
return $this->render(
'user/company/list.html.twig',
[
'offers' => $offers,
'cv' => $cv,
'form' => $form->createView(),
'rdv' => $rdv,
'free' => $userFreeRdv
]
);
}
#[Route('/search/phone', name: 'search_phone')]
public function searchPhone(Request $request, EntityManagerInterface $em)
{
$phone = $request->request->get('phone') . '%';
$users = $em->getRepository(User::class)->findByPhone($phone);
$usersAcappella = $em->getRepository(AcapellaDemand::class)->findByPhone($phone);
$usersOutput = [];
if ($users) {
foreach ($users as $user) {
$usersOutput[] = [
'phone' => $user->getPhone(),
];
}
}
$usersAcappellaOutput = [];
if ($usersAcappella) {
foreach ($usersAcappella as $userAcappella) {
if (
!array_search($userAcappella->getPhone(), array_column($usersOutput, 'phone'))
&& array_search($userAcappella->getPhone(), array_column($usersOutput, 'phone')) !== 0
) {
$usersAcappellaOutput[] = [
'phone' => $userAcappella->getPhone(),
'second_phone_number' => null,
];
}
}
}
$allUsers = array_merge($usersOutput, $usersAcappellaOutput);
return $this->json($allUsers);
}
#[Route('/search/lastname', name: 'search_lastname')]
public function searchLastName(Request $request, EntityManagerInterface $em)
{
$lastname = $request->request->get('lastname') . '%';
$users = $em->getRepository(User::class)->findByLastname($lastname);
$usersAcappella = $em->getRepository(AcapellaDemand::class)->findByLastname($lastname);
$usersOutput = [];
if ($users) {
foreach ($users as $user) {
$usersOutput[] = [
'lastname' => $user->getLastname(),
];
}
}
$usersAcappellaOutput = [];
if ($usersAcappella) {
foreach ($usersAcappella as $userAcappella) {
if (
!array_search($userAcappella->getLastname(), array_column($usersOutput, 'lastname'))
&& array_search($userAcappella->getLastname(), array_column($usersOutput, 'lastname')) !== 0
) {
$usersAcappellaOutput[] = [
'lastname' => $userAcappella->getLastname(),
];
}
}
}
$allUsers = array_merge($usersOutput, $usersAcappellaOutput);
return $this->json($allUsers);
}
#[Route('/search/firstname', name: 'search_firstname')]
public function searchFirstName(Request $request, EntityManagerInterface $em)
{
$firstname = $request->request->get('firstname') . '%';
$users = $em->getRepository(User::class)->findByFirstname($firstname);
$usersAcappella = $em->getRepository(AcapellaDemand::class)->findByFirstname($firstname);
$usersOutput = [];
if ($users) {
foreach ($users as $user) {
$usersOutput[] = [
'firstname' => $user->getFirstName(),
];
}
}
$usersAcappellaOutput = [];
if ($usersAcappella) {
foreach ($usersAcappella as $userAcappella) {
if (
!array_search(
$userAcappella->getFirstName(),
array_column($usersOutput, 'firstname')
)
&& array_search(
$userAcappella->getFirstName(),
array_column($usersOutput, 'firstname')
) !== 0
) {
$usersAcappellaOutput[] = [
'firstname' => $userAcappella->getFirstName(),
];
}
}
}
$allUsers = array_merge($usersOutput, $usersAcappellaOutput);
return $this->json($allUsers);
}
}