src/Domain/Maturity/Controller/SurveyController.php line 522

Open in your IDE?
  1. <?php
  2. /**
  3.  * This file is part of the MADIS - RGPD Management application.
  4.  *
  5.  * @copyright Copyright (c) 2018-2019 Soluris - Solutions Numériques Territoriales Innovantes
  6.  * @author Donovan Bourlard <donovan@awkan.fr>
  7.  *
  8.  * This program is free software: you can redistribute it and/or modify
  9.  * it under the terms of the GNU Affero General Public License as published by
  10.  * the Free Software Foundation, either version 3 of the License, or
  11.  * (at your option) any later version.
  12.  *
  13.  * This program is distributed in the hope that it will be useful,
  14.  * but WITHOUT ANY WARRANTY; without even the implied warranty of
  15.  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
  16.  * GNU Affero General Public License for more details.
  17.  *
  18.  * You should have received a copy of the GNU Affero General Public License
  19.  * along with this program.  If not, see <https://www.gnu.org/licenses/>.
  20.  */
  21. declare(strict_types=1);
  22. namespace App\Domain\Maturity\Controller;
  23. use App\Application\Controller\CRUDController;
  24. use App\Application\Interfaces\CollectivityRelated;
  25. use App\Application\Symfony\Security\UserProvider;
  26. use App\Application\Traits\ServersideDatatablesTrait;
  27. use App\Domain\Documentation\Model\Category;
  28. use App\Domain\Maturity\Calculator\MaturityHandler;
  29. use App\Domain\Maturity\Form\Type\SurveyType;
  30. use App\Domain\Maturity\Form\Type\SyntheseType;
  31. use App\Domain\Maturity\Model;
  32. use App\Domain\Maturity\Repository;
  33. use App\Domain\Reporting\Handler\WordHandler;
  34. use App\Domain\User\Model\Collectivity;
  35. use App\Domain\User\Model\User;
  36. use Doctrine\ORM\EntityManagerInterface;
  37. use Doctrine\ORM\Tools\Pagination\Paginator;
  38. use Knp\Snappy\Pdf;
  39. use Symfony\Component\HttpFoundation\JsonResponse;
  40. use Symfony\Component\HttpFoundation\Request;
  41. use Symfony\Component\HttpFoundation\RequestStack;
  42. use Symfony\Component\HttpFoundation\Response;
  43. use Symfony\Component\HttpKernel\Exception\NotFoundHttpException;
  44. use Symfony\Component\Routing\RouterInterface;
  45. use Symfony\Component\Security\Core\Authorization\AuthorizationCheckerInterface;
  46. use Symfony\Contracts\Translation\TranslatorInterface;
  47. /**
  48.  * @property Repository\Survey $repository
  49.  */
  50. class SurveyController extends CRUDController
  51. {
  52.     use ServersideDatatablesTrait;
  53.     /**
  54.      * @var WordHandler
  55.      */
  56.     private $wordHandler;
  57.     /**
  58.      * @var AuthorizationCheckerInterface
  59.      */
  60.     protected $authorizationChecker;
  61.     /**
  62.      * @var UserProvider
  63.      */
  64.     protected $userProvider;
  65.     /**
  66.      * @var MaturityHandler
  67.      */
  68.     protected $maturityHandler;
  69.     protected Repository\Question $questionRepository;
  70.     private Repository\Referentiel $referentielRepository;
  71.     private $router;
  72.     private RequestStack $requestStack;
  73.     public function __construct(
  74.         EntityManagerInterface $entityManager,
  75.         TranslatorInterface $translator,
  76.         Repository\Survey $repository,
  77.         Repository\Question $questionRepository,
  78.         WordHandler $wordHandler,
  79.         AuthorizationCheckerInterface $authorizationChecker,
  80.         UserProvider $userProvider,
  81.         MaturityHandler $maturityHandler,
  82.         Pdf $pdf,
  83.         Repository\Referentiel $referentielRepository,
  84.         RouterInterface $router,
  85.         RequestStack $requestStack,
  86.     ) {
  87.         parent::__construct($entityManager$translator$repository$pdf$userProvider$authorizationChecker);
  88.         $this->questionRepository    $questionRepository;
  89.         $this->wordHandler           $wordHandler;
  90.         $this->authorizationChecker  $authorizationChecker;
  91.         $this->userProvider          $userProvider;
  92.         $this->maturityHandler       $maturityHandler;
  93.         $this->referentielRepository $referentielRepository;
  94.         $this->router                $router;
  95.         $this->requestStack          $requestStack;
  96.     }
  97.     protected function getDomain(): string
  98.     {
  99.         return 'maturity';
  100.     }
  101.     protected function getModel(): string
  102.     {
  103.         return 'survey';
  104.     }
  105.     protected function getModelClass(): string
  106.     {
  107.         return Model\Survey::class;
  108.     }
  109.     protected function getFormType(): string
  110.     {
  111.         return SurveyType::class;
  112.     }
  113.     protected function getListData()
  114.     {
  115.         $order = [
  116.             'createdAt' => 'DESC',
  117.         ];
  118.         if ($this->authorizationChecker->isGranted('ROLE_ADMIN')) {
  119.             return $this->repository->findAll($order);
  120.         }
  121.         if ($this->authorizationChecker->isGranted('ROLE_REFERENT')) {
  122.             $collectivities \iterable_to_array($this->userProvider->getAuthenticatedUser()->getCollectivitesReferees());
  123.             return $this->repository->findAllByCollectivities($collectivities$order);
  124.         }
  125.         $data $this->repository->findAllByCollectivity(
  126.             $this->userProvider->getAuthenticatedUser()->getCollectivity(),
  127.             $order
  128.         );
  129.         return $data;
  130.     }
  131.     /**
  132.      * {@inheritdoc}
  133.      * Here, we wanna compute maturity score.
  134.      *
  135.      * @param Model\Survey $object
  136.      */
  137.     public function formPrePersistData($object)
  138.     {
  139.         // Removed because this is done in App\Domain\Maturity\Symfony\EventSubscriber\Doctrine\GenerateMaturitySubscriber
  140.         // $this->maturityHandler->handle($object);
  141.     }
  142.     /**
  143.      * {@inheritdoc}
  144.      * Override method in order to hydrate survey answers.
  145.      */
  146.     public function createMaturitySurveyAction(Request $request): Response
  147.     {
  148.         $object = new Model\Survey();
  149.         /** @var Model\Referentiel $referentiel */
  150.         $referentiel $this->entityManager->getRepository(Model\Referentiel::class)->findOneBy([
  151.             'id' => $request->get('referentiel'),
  152.         ]);
  153.         $object->setReferentiel($referentiel);
  154.         $form $this->createForm($this->getFormType(), $object);
  155.         $form->setData(['referentiel' => $request->get('referentiel')]);
  156.         $form->handleRequest($request);
  157.         $answerSurveys = [];
  158.         if ($form->isSubmitted()) {
  159.             $data $request->request->all();
  160.             if (isset($data['survey']['questions'])) {
  161.                 foreach ($data['survey']['questions'] as $questionId => $question) {
  162.                     if (isset($question['option'])) {
  163.                         // Create new OptionalAnswer
  164.                         $opa = new Model\OptionalAnswer();
  165.                         $q   $this->entityManager->getRepository(Model\Question::class)->find($questionId);
  166.                         $opa->setQuestion($q);
  167.                         $this->entityManager->persist($opa);
  168.                         $object->addOptionalAnswer($opa);
  169.                     } else {
  170.                         foreach ($question['answers'] as $answerId) {
  171.                             $answer $this->entityManager->getRepository(Model\Answer::class)->find($answerId);
  172.                             $as     = new Model\AnswerSurvey();
  173.                             $as->setSurvey($object);
  174.                             $as->setAnswer($answer);
  175.                             $answerSurveys[] = $as;
  176.                         }
  177.                     }
  178.                 }
  179.             }
  180.             $object->setAnswerSurveys($answerSurveys);
  181.             $this->formPrePersistData($object);
  182.             $this->entityManager->persist($object);
  183.             $this->entityManager->flush();
  184.             $this->addFlash('success'$this->getFlashbagMessage('success''create'$object->__toString()));
  185.             return $this->redirectToRoute($this->getRouteName('synthesis'), ['id' => $object->getId()]);
  186.         }
  187.         return $this->render($this->getTemplatingBasePath('create'), [
  188.             'form' => $form->createView(),
  189.         ]);
  190.     }
  191.     /**
  192.      * {@inheritdoc}
  193.      * Override method in order to hydrate survey answers.
  194.      */
  195.     public function editAction(Request $requeststring $id): Response
  196.     {
  197.         /**
  198.          * @var Model\Survey $object
  199.          */
  200.         $object $this->repository->findOneById($id);
  201.         if (!$object) {
  202.             throw new NotFoundHttpException("No object found with ID '{$id}'");
  203.         }
  204.         $toDelete $this->entityManager->getRepository(Model\AnswerSurvey::class)->findBy(['survey' => $object]);
  205.         $form $this->createForm($this->getFormType(), $object);
  206.         $form->setData(['referentiel' => $request->get('referentiel')]);
  207.         $form->handleRequest($request);
  208.         if ($form->isSubmitted()) {
  209.             $data          $request->request->all();
  210.             $answerSurveys = [];
  211.             if (isset($data['survey']['questions'])) {
  212.                 foreach ($data['survey']['questions'] as $questionId => $question) {
  213.                     // Remove optional answer if one exists
  214.                     $q              $this->entityManager->getRepository(Model\Question::class)->find($questionId);
  215.                     $optionalAnswer $this->entityManager->getRepository(Model\OptionalAnswer::class)->findOneBy(['question' => $q'survey' => $object]);
  216.                     if ($optionalAnswer) {
  217.                         $this->entityManager->remove($optionalAnswer);
  218.                     }
  219.                     if (isset($question['option'])) {
  220.                         // Create new OptionalAnswer
  221.                         $opa = new Model\OptionalAnswer();
  222.                         $opa->setQuestion($q);
  223.                         $this->entityManager->persist($opa);
  224.                         $object->addOptionalAnswer($opa);
  225.                     } else {
  226.                         foreach ($question['answers'] as $answerId) {
  227.                             /** @var Model\Answer $answer */
  228.                             $answer $this->entityManager->getRepository(Model\Answer::class)->find($answerId);
  229.                             $as     $this->entityManager->getRepository(Model\AnswerSurvey::class)->findOneBy(['answer' => $answer'survey' => $object]);
  230.                             if (!$as) {
  231.                                 $as = new Model\AnswerSurvey();
  232.                             }
  233.                             $as->setSurvey($object);
  234.                             $as->setAnswer($answer);
  235.                             $this->entityManager->persist($as);
  236.                             $answerSurveys[] = $as;
  237.                             $toDelete array_filter($toDelete, function (Model\AnswerSurvey $asd) use ($as) {
  238.                                 return !$as->getId() || $as->getId() !== $asd->getId();
  239.                             });
  240.                         }
  241.                     }
  242.                 }
  243.             }
  244.             foreach ($toDelete as $asd) {
  245.                 $this->entityManager->remove($asd);
  246.             }
  247.             $object->setAnswerSurveys($answerSurveys);
  248.             $this->formPrePersistData($object);
  249.             $this->entityManager->persist($object);
  250.             $this->entityManager->flush();
  251.             $this->addFlash('success'$this->getFlashbagMessage('success''edit'$object->__toString()));
  252.             return $this->redirectToRoute($this->getRouteName('synthesis'), ['id' => $object->getId()]);
  253.         }
  254.         return $this->render($this->getTemplatingBasePath('edit'), [
  255.             'form' => $form->createView(),
  256.         ]);
  257.     }
  258.     /**
  259.      * Generate a word report of survey.
  260.      * Get current survey and previous one.
  261.      *
  262.      * @throws \PhpOffice\PhpWord\Exception\Exception
  263.      */
  264.     public function reportAction(string $id): Response
  265.     {
  266.         $data        = [];
  267.         $data['new'] = $this->repository->findOneById($id);
  268.         $oldObjects $this->repository->findPreviousById($id1);
  269.         if (!empty($oldObjects)) {
  270.             $data['old'] = $oldObjects[0];
  271.         }
  272.         return $this->wordHandler->generateMaturitySurveyReport($data);
  273.     }
  274.     public function startSurveyAction(Request $request)
  275.     {
  276.         if ($request->isMethod('GET')) {
  277.             /** @var User $user */
  278.             $user $this->getUser();
  279.             return $this->render($this->getTemplatingBasePath('start'), [
  280.                 'totalItem' => $this->referentielRepository->count(),
  281.                 'route'     => $this->router->generate('maturity_survey_referentiel_datatables', ['collectivity' => $user->getCollectivity()->getId()->toString()]),
  282.             ]);
  283.         }
  284.         if (null === $referentiel $this->referentielRepository->findOneById($request->request->get('referentiel_choice'))) {
  285.             throw new NotFoundHttpException('No referentiel with Id ' $request->request->get('referentiel_choice') . ' exists.');
  286.         }
  287.         return $this->redirectToRoute('maturity_survey_create', [
  288.             'referentiel' => $referentiel->getId(),
  289.         ]);
  290.     }
  291.     public function referentielsDatatablesAction()
  292.     {
  293.         $request      $this->requestStack->getMasterRequest();
  294.         $referentiels $this->getReferentielResults($request);
  295.         $collectivity $this->entityManager->getRepository(Collectivity::class)->find($request->query->get('collectivity'));
  296.         $reponse $this->getBaseReferentielsDataTablesResponse($request$referentiels);
  297.         foreach ($referentiels as $referentiel) {
  298.             /** @var Model\Referentiel $collectivityType */
  299.             $collectivityType            $collectivity->getType();
  300.             $authorizedCollectivities    $referentiel->getAuthorizedCollectivities();
  301.             $authorizedCollectivityTypes $referentiel->getAuthorizedCollectivityTypes();
  302.             if ((!\is_null($authorizedCollectivityTypes)
  303.                     && in_array($collectivityType$authorizedCollectivityTypes))
  304.                 || $authorizedCollectivities->contains($collectivity)
  305.             ) {
  306.                 $reponse['data'][] = [
  307.                     'name'        => '<label class="required" for="' $referentiel->getId() . '" style="font-weight:normal;"><input type="radio" id="' $referentiel->getId() . '" value="' $referentiel->getId() . '" name="referentiel_choice" required="true"/> ' $referentiel->getName() . '</label>',
  308.                     'description' => $referentiel->getDescription(),
  309.                 ];
  310.             }
  311.         }
  312.         $reponse['recordsTotal']    = count($reponse['data']);
  313.         $reponse['recordsFiltered'] = count($reponse['data']);
  314.         return new JsonResponse($reponse);
  315.     }
  316.     protected function getBaseReferentielsDataTablesResponse(Request $request$results, array $criteria = [])
  317.     {
  318.         $draw $request->request->get('draw');
  319.         $reponse = [
  320.             'draw'            => $draw,
  321.             'recordsTotal'    => $this->referentielRepository->count($criteria),
  322.             'recordsFiltered' => count($results),
  323.             'data'            => [],
  324.         ];
  325.         return $reponse;
  326.     }
  327.     protected function getReferentielResults(Request $request): ?Paginator
  328.     {
  329.         $first      $request->request->get('start');
  330.         $maxResults $request->request->get('length');
  331.         $orders     $request->request->get('order');
  332.         $columns    $request->request->get('columns');
  333.         $orderColumn $this->getCorrespondingLabelFromkeyForReferentiels($orders[0]['column']);
  334.         $orderDir    $orders[0]['dir'];
  335.         $searches = [];
  336.         foreach ($columns as $column) {
  337.             if ('' !== $column['search']['value']) {
  338.                 $searches[$column['data']] = $column['search']['value'];
  339.             }
  340.         }
  341.         return $this->referentielRepository->findPaginated($first$maxResults$orderColumn$orderDir$searches);
  342.     }
  343.     private function getCorrespondingLabelFromkeyForReferentiels(string $key)
  344.     {
  345.         return \array_key_exists($key$this->getLabelAndKeysArrayForReferentiels()) ? $this->getLabelAndKeysArrayForReferentiels()[$key] : null;
  346.     }
  347.     private function getLabelAndKeysArrayForReferentiels()
  348.     {
  349.         return [
  350.             '0' => 'name',
  351.             '1' => 'description',
  352.         ];
  353.     }
  354.     public function listAction(): Response
  355.     {
  356.         $surveys      $this->getListData();
  357.         $referentiels = [];
  358.         foreach ($surveys as $survey) {
  359.             $referentiels[] = $survey->getReferentiel()->getName();
  360.         }
  361.         $criteria = [];
  362.         if (!$this->authorizationChecker->isGranted('ROLE_ADMIN')) {
  363.             $criteria['collectivity'] = $this->userProvider->getAuthenticatedUser()->getCollectivity();
  364.         }
  365.         $category $this->entityManager->getRepository(Category::class)->findOneBy([
  366.             'name' => 'Indice de maturité',
  367.         ]);
  368.         return $this->render('Maturity/Survey/list.html.twig', [
  369.             'category'     => $category,
  370.             'totalItem'    => $this->repository->count($criteria),
  371.             'route'        => $this->router->generate('maturity_survey_list_datatables'),
  372.             'referentiels' => array_unique($referentielsSORT_STRING),
  373.         ]);
  374.     }
  375.     public function listDataTables(Request $request): JsonResponse
  376.     {
  377.         $criteria = [];
  378.         if (!$this->authorizationChecker->isGranted('ROLE_ADMIN')) {
  379.             $criteria['collectivity'] = $this->userProvider->getAuthenticatedUser()->getCollectivity();
  380.         }
  381.         $surveys $this->getResults($request$criteria);
  382.         $reponse $this->getBaseDataTablesResponse($request$surveys);
  383.         foreach ($surveys as $survey) {
  384.             $referentielLink '<a aria-label="' \htmlspecialchars($survey->getReferentiel()->getName()) . '" href="' $this->router->generate('maturity_survey_synthesis', ['id' => $survey->getId()->toString()]) . '">
  385.                 ' \htmlspecialchars($survey->getReferentiel()->getName()) . '
  386.                 </a>';
  387.             $reponse['data'][] = [
  388.                 'collectivity' => $survey->getCollectivity()->getName(),
  389.                 'referentiel'  => $referentielLink,
  390.                 'score'        => $survey->getScore() / 10,
  391.                 'createdAt'    => date_format($survey->getCreatedAt(), 'd-m-Y H:i'),
  392.                 'updatedAt'    => date_format($survey->getUpdatedAt(), 'd-m-Y H:i'),
  393.                 'actions'      => $this->generateActionCellContent($survey),
  394.             ];
  395.         }
  396.         $reponse['recordsTotal'] = $this->repository->count($criteria);
  397.         return new JsonResponse($reponse);
  398.     }
  399.     private function generateActionCellContent(Model\Survey $survey)
  400.     {
  401.         $id $survey->getId();
  402.         return
  403.             '<a href="' $this->router->generate('maturity_survey_report', ['id' => $id]) . '">
  404.                 <i class="fa fa-print"></i> '
  405.             $this->translator->trans('action.print') .
  406.             '</a>' .
  407.             '<a href="' $this->router->generate('maturity_survey_synthesis', ['id' => $id]) . '">
  408.                 <i class="fa fa-chart-bar"></i> ' .
  409.             $this->translator->trans('action.synthesis') .
  410.             '</a>' .
  411.             '<a href="' $this->router->generate('maturity_survey_edit', ['id' => $id]) . '">
  412.                 <i class="fa fa-pencil-alt"></i> '
  413.             $this->translator->trans('action.edit') .
  414.             '</a>' .
  415.             '<a href="' $this->router->generate('maturity_survey_delete', ['id' => $id]) . '">
  416.                 <i class="fa fa-trash"></i> ' .
  417.             $this->translator->trans('action.delete') .
  418.             '</a>';
  419.     }
  420.     protected function getLabelAndKeysArray(): array
  421.     {
  422.         if ($this->isGranted('ROLE_REFERENT')) {
  423.             return [
  424.                 'referentiel',
  425.                 'collectivity',
  426.                 'score',
  427.                 'createdAt',
  428.                 'updatedAt',
  429.                 'actions',
  430.             ];
  431.         }
  432.         return [
  433.             'referentiel',
  434.             'score',
  435.             'createdAt',
  436.             'updatedAt',
  437.             'actions',
  438.         ];
  439.     }
  440.     public function syntheseAction(Request $requeststring $id): Response
  441.     {
  442.         //        /** @var CollectivityRelated $object */
  443.         $object $this->repository->findOneById($id);
  444.         if (!$object) {
  445.             throw new NotFoundHttpException("No object found with ID '{$id}'");
  446.         }
  447.         $previous $this->repository->findPreviousById($id);
  448.         $serviceEnabled false;
  449.         if ($object instanceof Collectivity) {
  450.             $serviceEnabled $object->getIsServicesEnabled();
  451.         } elseif ($object instanceof CollectivityRelated) {
  452.             $serviceEnabled $object->getCollectivity()->getIsServicesEnabled();
  453.         }
  454.         /**
  455.          * @var User $user
  456.          */
  457.         $user $this->getUser();
  458.         $actionEnabled true;
  459.         if ($object instanceof CollectivityRelated && (!$this->authorizationChecker->isGranted('ROLE_ADMIN') && !$user->getServices()->isEmpty())) {
  460.             $actionEnabled $object->isInUserServices($this->userProvider->getAuthenticatedUser());
  461.         }
  462.         if (!$actionEnabled) {
  463.             return $this->redirectToRoute($this->getRouteName('list'));
  464.         }
  465.         $form $this->createForm(SyntheseType::class, $object);
  466.         $form->handleRequest($request);
  467.         if ($form->isSubmitted() && $form->isValid()) {
  468.             $this->entityManager->persist($object);
  469.             $this->entityManager->flush();
  470.             $this->addFlash('success'$this->getFlashbagMessage('success''edit'$object));
  471.             return $this->redirectToRoute($this->getRouteName('list'));
  472.         }
  473.         return $this->render($this->getTemplatingBasePath('synthese'), [
  474.             'form'     => $form->createView(),
  475.             'object'   => $object,
  476.             'previous' => $previous,
  477.         ]);
  478.     }
  479. }