src/Controller/CallcenterController.php line 69

Open in your IDE?
  1. <?php
  2. namespace App\Controller;
  3. use App\Entity\Cabecera;
  4. use App\Entity\ClienteBitcubo;
  5. use App\Entity\ClienteEnvioBitcubo;
  6. use App\Entity\Configuracion;
  7. use App\Entity\CabeceraStatus;
  8. use App\Entity\CabeceraLinkdepago;
  9. use App\Entity\Domicilios;
  10. use App\Entity\Lineas;
  11. use App\Entity\Sucursal;
  12. use App\Form\Type\CabeceraType;
  13. use App\Form\Type\Cabecera2Type;
  14. use App\Form\Type\CabeceraEmailLinkdepagoType;
  15. use App\Form\Type\LineasType;
  16. use App\Repository\ArticulosRepository;
  17. use App\Repository\ClientesRepository;
  18. use App\Repository\ClienteBitcuboRepository;
  19. use App\Repository\FavoritoscabRepository;
  20. use App\Repository\LineasRepository;
  21. use App\Repository\ModificadoreslinRepository;
  22. use App\Repository\SucursalRepository;
  23. use App\Service\EstadisticasArticulosService;
  24. use App\Utils\Status;
  25. use App\Utils\Xml;
  26. use Doctrine\ORM\EntityManagerInterface;
  27. use Doctrine\Persistence\ManagerRegistry;
  28. use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
  29. use Symfony\Component\Filesystem\Filesystem;
  30. use Symfony\Component\Form\Extension\Core\Type\TextType;
  31. use Symfony\Component\Form\Extension\Core\Type\CheckboxType;
  32. use Symfony\Component\Form\Extension\Core\Type\ChoiceType;
  33. use Symfony\Component\Form\Extension\Core\Type\SubmitType;
  34. use Symfony\Component\HttpFoundation\Request;
  35. use Symfony\Component\HttpFoundation\Response;
  36. // use Symfony\Component\HttpFoundation\Session\Session;
  37. use Symfony\Component\HttpFoundation\Session\SessionInterface;
  38. use Symfony\Component\Routing\Annotation\Route;
  39. use App\Controller\Admin\CabeceraCrudController;
  40. use App\Repository\ImpuestosRepository;
  41. use EasyCorp\Bundle\EasyAdminBundle\Config\Action;
  42. use EasyCorp\Bundle\EasyAdminBundle\Router\AdminUrlGenerator;
  43. use App\Service\ClienteManager;
  44. use App\Service\GlobalPayService;
  45. use App\Service\MailerService;
  46. use App\Service\XmlGeneratorService;
  47. // use ParagonIE\Halite\KeyFactory;
  48. class CallcenterController extends AbstractController
  49. {
  50.     use Status;
  51.     private $adminUrlGenerator;
  52.     public function __construct(private ManagerRegistry $doctrineAdminUrlGenerator $adminUrlGenerator)
  53.     {
  54.         $this->doctrine $doctrine;
  55.         $this->adminUrlGenerator $adminUrlGenerator;
  56.     }
  57.     #[Route('/'name'callcenter')]
  58.     public function index(Request $request): Response
  59.     {
  60.         // $keyPath = $this->getParameter('kernel.project_dir') . '/config/encryption.key';
  61.         // if (file_exists($keyPath)) {
  62.         //     return new Response('La clave de cifrado ya existe. No se generó una nueva clave.', 403);
  63.         // }
  64.         // $encryptionKey = KeyFactory::generateEncryptionKey();
  65.         // KeyFactory::save($encryptionKey, $keyPath);
  66.         // $keyPath = $this->getParameter('encryption_key_path');
  67.         // dd($keyPath);
  68.         $dataFromRequest  $request->get('data');
  69.         $formData = [];
  70.         if ($dataFromRequest) {
  71.             $formData = [
  72.                 'type' => $dataFromRequest['type'], // Usar valores por defecto si las claves no existen
  73.                 'text' => $dataFromRequest['text'] ?? '',
  74.                 'factura_electronica' => $dataFromRequest['fe'] ? true false,
  75.             ];
  76.         }
  77.         if (!array_key_exists('type'$formData)) {
  78.             $formData['type'] = 1;
  79.         }
  80.         $form $this->createFormBuilder($formData)
  81.             ->add('type'ChoiceType::class, [
  82.                 'choices' => [
  83.                     'Telefono' => 1,
  84.                     'Documento' => 2
  85.                 ],
  86.                 'expanded' => true,
  87.                 'multiple' => false,
  88.             ])
  89.             ->add('text'TextType::class)
  90.             ->add('factura_electronica'CheckboxType::class, [
  91.                 'required' => false,
  92.             ])
  93.             ->add('buscar'SubmitType::class)
  94.             ->getForm();
  95.         $form->handleRequest($request);
  96.         if ($form->isSubmitted() && $form->isValid()) {
  97.             $data $form->getData();
  98.             return $this->redirectToRoute(
  99.                 'seleccionCliente',
  100.                 array(
  101.                     'type' => $data['type'],
  102.                     'text' => $data['text'],
  103.                     'fe' => $data['factura_electronica'] ? '1' '0',
  104.                 )
  105.             );
  106.         }
  107.         return $this->render('callcenter/index.html.twig', [
  108.             'form' => $form->createView(),
  109.         ]);
  110.     }
  111.     #[Route('/selecciondecliente/{type}/{text}/{fe}'name'seleccionCliente')]
  112.     public function seleccionCliente(
  113.         int $type,
  114.         string $text,
  115.         string $fe,
  116.         ClientesRepository $clienteRepository,
  117.         ClienteBitcuboRepository $clienteBitcuboRepository,
  118.         SessionInterface $session
  119.     ): Response {
  120.         $data = [
  121.             'type' => $type,
  122.             'text' => $text,
  123.             'fe' => filter_var($feFILTER_VALIDATE_BOOLEAN)
  124.         ];
  125.         $cliente $this->buscarCliente($data$clienteRepository$clienteBitcuboRepository);
  126.         if (empty($cliente)) {
  127.             return $this->manejarClienteNoEncontrado($data$session);
  128.         }
  129.         if (count($cliente) === 1) {
  130.             return $this->manejarClienteUnico($cliente[0], $data['fe'], $session);
  131.         }
  132.         return $this->manejarMultiplesClientes($cliente$data$session);
  133.     }
  134.     private function buscarCliente(array $dataClientesRepository $clienteRepositoryClienteBitcuboRepository $clienteBitcuboRepository): array
  135.     {
  136.         $cliente $clienteRepository->findClient($data);
  137.         if (!$data['fe'] && empty($cliente)) {
  138.             // Buscar en ClienteBitcuboRepository si no hay resultados en ClientesRepository
  139.             if ($data['type'] === 1) {
  140.                 $clienteBitcubo $clienteBitcuboRepository->findBy(['telefonocliente' => $data['text']]);
  141.             } else {
  142.                 $clienteBitcubo $clienteBitcuboRepository->findBy(['nifcliente' => $data['text']]);
  143.             }
  144.             if (!empty($clienteBitcubo)) {
  145.                 $cliente array_map(function($bitcubo) {
  146.                     $ultima_direccion $bitcubo->getDirecciones()->isEmpty() ? null $bitcubo->getDirecciones()->last();
  147.                     return [
  148.                         'codcliente' => $bitcubo->getId(),
  149.                         'nombrecliente' => $bitcubo->getNombres() . ' ' $bitcubo->getApellidos(),
  150.                         // 'apellidos' => $bitcubo->getApellidos(),
  151.                         'telefono1' => $bitcubo->getTelefonocliente(),
  152.                         'emailcliente' => $bitcubo->getEmailcliente(),
  153.                         'nif20' => $bitcubo->getNifcliente(),
  154.                         'alias' => null,
  155.                         'direccion1' => $ultima_direccion $ultima_direccion->getDireccion() : '',
  156.                         'direccion_2' => $ultima_direccion $ultima_direccion->getComplemento() : '',
  157.                         'cl_nombre_1' => $bitcubo->getNombres(),
  158.                         'otros_nombres' => null,
  159.                         'cl_apellido_1' => $bitcubo->getApellidos(),
  160.                         'cl_apellido_2' => null,
  161.                         'tipo_de_documento' => null,
  162.                         'tipopersona' => null,
  163.                         'fe_det_tributario' => null,
  164.                         'fe_responsabilidades' => null,
  165.                         'direcciones_bitcubo' => $bitcubo->getDirecciones(),
  166.                         'es_cliente_bitcubo' => true,
  167.                     ];
  168.                 }, $clienteBitcubo);
  169.             }
  170.         }
  171.         return $cliente;
  172.     }
  173.     private function manejarClienteNoEncontrado(array $dataSessionInterface $session): Response
  174.     {
  175.         if ($data['fe']) {
  176.             $qrRoute 'https://qrmde.crepesywaffles.com/qrcc/qrmde.php';
  177.             $this->addFlash(
  178.                 'notice',
  179.                 'DEBES CREAR EL CLIENTE PRIMERO EN EL QR PARA FACTURA ELECTRÓNICA <a class="alert-link" href="' $qrRoute '" target="_blank">Crear QR</a>'
  180.             );
  181.             return $this->redirectToRoute('callcenter', ['data' => $data]);
  182.         }
  183.         $session->set('clienteData'$data);
  184.         $session->set('fe'$data['fe']);
  185.         return $this->redirectToRoute('cliente');
  186.     }
  187.     private function manejarClienteUnico(array $clientebool $feSessionInterface $session): Response
  188.     {
  189.         $session->set('clienteData'$cliente);
  190.         $session->set('fe'$fe);
  191.         return $this->redirectToRoute('cliente');
  192.     }
  193.     private function manejarMultiplesClientes(array $clientes, array $dataSessionInterface $session): Response
  194.     {
  195.         $session->set('clienteData'$clientes);
  196.         return $this->render('callcenter/clienteSelect.html.twig', [
  197.             'clientes' => $clientes,
  198.             'data' => $data
  199.         ]);
  200.     }
  201.         // $feBool = filter_var($fe, FILTER_VALIDATE_BOOLEAN);
  202.         // $data = ['type' => $type, 'text' => $text, 'fe' => $feBool];
  203.         // $cliente = $clienteRepository->findClient($data);
  204.         // if (empty($cliente)) {
  205.         //     if ($feBool) {
  206.         //         $qrRoute = 'https://qrmde.crepesywaffles.com/qrcc/qrmde.php';
  207.         //         $this->addFlash(
  208.         //             'notice',
  209.         //             'DEBES CREAR EL CLIENTE PRIMERO EN EL QR PARA FACTURA ELECTRÓNICA <a class="alert-link" href="' . $qrRoute . '" target="_blank">Crear QR</a>'
  210.         //         );
  211.         //         return $this->redirectToRoute('callcenter', ['data' => $data]);
  212.         //     } else {
  213.         //         $session->set('clienteData', $data); // Guardar en sesión
  214.         //         $session->set('fe', $data['fe']); // Guardar en sesión
  215.         //         return $this->redirectToRoute('cliente');
  216.         //     }
  217.         // } elseif (count($cliente) === 1) {
  218.         //     $session->set('clienteData', $cliente[0]); // Guardar en sesión
  219.         //     $session->set('fe', $data['fe']); // Guardar en sesión
  220.         //     return $this->redirectToRoute('cliente');
  221.         // }
  222.         // $session->set('clienteData', $cliente);
  223.         // return $this->render('callcenter/clienteSelect.html.twig', ['clientes' => $cliente, 'data' => $data]);
  224.     // }
  225.     #[Route('/cliente'name'cliente')]
  226.     public function cliente(Request $requestSessionInterface $sessionClienteManager $clienteManagerSucursalRepository $sucursalRepository): Response
  227.     {
  228.         $clienteData $session->get('clienteData');
  229.         $fe $session->get('fe');
  230.         $clienteData $clienteData[$request->get('index')]  ?? $clienteData;
  231.         $cabecera $clienteManager->procesarDatosCliente($clienteData);
  232.         $cabecera->setFacturaelectronica($fe 0);
  233.         if (isset($clienteData['es_cliente_bitcubo'])) {
  234.             $editable false;
  235.         } else {
  236.             $editable = isset($clienteData['alias']) ? !($clienteData['alias'] === "1") : true;
  237.         }
  238.         $form $this->createForm(CabeceraType::class, $cabecera, ['editable_mode' => $editable]);
  239.         $form->handleRequest($request);
  240.         if ($form->isSubmitted() && $form->isValid()) {
  241.             // Guarda si el cliente es nuevo en cliente_bitcubo
  242.             $entityManager $this->doctrine->getManager();
  243.             if (!isset($clienteData['es_cliente_bitcubo']) and !isset($clienteData['codcliente'])) {
  244.                 $cliente_bitcubo = new ClienteBitcubo();
  245.                 $cliente_bitcubo->setNombres($cabecera->getNombres());
  246.                 $cliente_bitcubo->setApellidos($cabecera->getApellidos());
  247.                 $cliente_bitcubo->setTelefonocliente($cabecera->getTelefonocliente());
  248.                 $cliente_bitcubo->setEmailcliente($cabecera->getEmailcliente());
  249.                 $cliente_bitcubo->setNifcliente($cabecera->getNifcliente());
  250.                 $cliente_envio_bitcubo = new ClienteEnvioBitcubo();
  251.                 $cliente_envio_bitcubo->setDireccion($cabecera->getDireccionCliente());
  252.                 $cliente_envio_bitcubo->setComplemento($cabecera->getDireccion2Cliente());
  253.                 $cliente_bitcubo->addDireccion($cliente_envio_bitcubo);
  254.                 $entityManager $this->doctrine->getManager();
  255.                 $entityManager->persist($cliente_bitcubo);
  256.                 $entityManager->flush();
  257.                 $clienteData['codcliente'] = $cliente_bitcubo->getId();
  258.             } else {
  259.                 $cliente_bitcubo $entityManager->getRepository(ClienteBitcubo::class)->find($clienteData['codcliente']);
  260.                 if ($cliente_bitcubo) {
  261.                     // Verificar si la dirección ya existe para este cliente
  262.                     $direccionExistente $entityManager->getRepository(ClienteEnvioBitcubo::class)->findOneBy([
  263.                         'cliente_bitcubo' => $cliente_bitcubo,
  264.                         'direccion' => $cabecera->getDireccionCliente(),
  265.                         'complemento' => $cabecera->getDireccion2Cliente(),
  266.                     ]);
  267.                     if (!$direccionExistente) {
  268.                         // La dirección no existe, se agrega
  269.                         $cliente_envio_bitcubo = new ClienteEnvioBitcubo();
  270.                         $cliente_envio_bitcubo->setDireccion($cabecera->getDireccionCliente());
  271.                         $cliente_envio_bitcubo->setComplemento($cabecera->getDireccion2Cliente());
  272.                         $cliente_bitcubo->addDireccion($cliente_envio_bitcubo);
  273.                         $entityManager->persist($cliente_envio_bitcubo);
  274.                         $entityManager->flush();
  275.                     }
  276.                 }
  277.             }
  278.             if ($cabecera->getNombreReceptor() === null || $cabecera->getNombreReceptor() === '') {
  279.                 $cabecera->setNombreReceptor($cabecera->getNombrecliente());
  280.             }
  281.             if ($cabecera->getTelefonoReceptor() === null || $cabecera->getTelefonoReceptor() === '') {
  282.                 $cabecera->setTelefonoReceptor($cabecera->getTelefonocliente());
  283.             }
  284.             $clienteManager->guardarCabecera($cabecera$this->getuser());
  285.             return $this->redirectToRoute('cc_favoritos', ['id' => $cabecera->getId()]);
  286.         }
  287.         $sucursales $sucursalRepository->findAvailable();
  288.         return $this->render('callcenter/cliente.html.twig', [
  289.             'cliente' => $clienteData,
  290.             'form' => $form->createView(),
  291.             'sucursales' => $sucursales,
  292.         ]);
  293.     }
  294. // Todo cliente nuevo o sin alias 1 debe crearse en bitcubo
  295. // ?? que pasa con la dirección nueva de un cliente con factura electrónica, si pide el mismo día.??
  296. // --------------------
  297. // Top 10: cambiar la forma en la que se graba el codcliente y tener en cuenta los de bitcubo. para poder buscar todas las cabeceras de dicho cliente
  298. //
  299.     #[Route('/cabecera/{id}/editar'name'cliente_editar')]
  300.     public function clienteEdit(SucursalRepository $sucursalRepositoryRequest $requestint $id): Response
  301.     {
  302.         $cabecera $this->doctrine->getRepository(Cabecera::class)->find($id);
  303.         $editable $cabecera->getAlias() === "1" false true;
  304.         if ($cabecera->getAlias() === "1") {
  305.             $editable false;
  306.         } else if($cabecera->getCodcliente()) {
  307.             $editable false;
  308.         } else {
  309.             $editable true;
  310.         }
  311.         if (!$cabecera) {
  312.             throw $this->createNotFoundException(
  313.                 'Cabecera no encontrada'
  314.             );
  315.         }
  316.         $estados = array('INICIADO''EDICION');
  317.         if (!in_array($cabecera->getEstado(), $estados)) {
  318.             throw $this->createNotFoundException(
  319.                 'NO SE PUEDE EDITAR ESTE PEDIDO'
  320.             );
  321.         }
  322.         $sucursales $sucursalRepository->findAvailable();
  323.         $form $this->createForm(CabeceraType::class, $cabecera, ['editable_mode' => $editable]);
  324.         $form->handleRequest($request);
  325.         if ($form->isSubmitted() && $form->isValid()) {
  326.             $cabecera $form->getData();
  327.             $entityManager $this->doctrine->getManager();
  328.             $entityManager->persist($cabecera);
  329.             $entityManager->flush();
  330.             return $this->redirectToRoute('cc_favoritos', [
  331.                 'id' => $cabecera->getId()
  332.             ]);
  333.         }
  334.         return $this->render('callcenter/cliente.html.twig', [
  335.             'cliente' => $cabecera,
  336.             'form' => $form->createView(),
  337.             'sucursales' => $sucursales,
  338.         ]);
  339.     }
  340.     #[Route('/cabecera/{id}/favoritos'name'cc_favoritos')]
  341.     public function favoritos(
  342.         ArticulosRepository $articulosRepository,
  343.         EstadisticasArticulosService $estadisticasService,
  344.         FavoritoscabRepository $favoritoscab,
  345.         Request $request,
  346.         int $id
  347.     ): Response {
  348.         $cabecera $this->doctrine
  349.             ->getRepository(Cabecera::class)
  350.             ->find($id);
  351.         if (!$cabecera) {
  352.             throw $this->createNotFoundException(
  353.                 'Pedido no encontrado'
  354.             );
  355.         }
  356.         if ($cabecera->getIsFinalizada()) {
  357.             throw $this->createNotFoundException(
  358.                 'Pedido finalizado'
  359.             );
  360.         }
  361.         $status = array('INICIADO''PROGRAMADO''EDICION');
  362.         if (!in_array($cabecera->getEstado(), $status)) {
  363.             throw $this->createNotFoundException(
  364.                 'Este pedido no se puede editar'
  365.             );
  366.         }
  367.         //log
  368.         if ($cabecera->getEstado() == 'PROGRAMADO') {
  369.             $entityManager $this->doctrine->getManager();
  370.             $status $this->createStatus($cabecera'EDICION'$this->getUser());
  371.             $entityManager->persist($status);
  372.             $entityManager->flush();
  373.         }
  374.         //log
  375.         $favoritos $favoritoscab->findAllByTerminal(10);
  376.         $sucursal $this->doctrine
  377.             ->getRepository(Sucursal::class)
  378.             ->findOneBy(array('nombre' => $cabecera->getSucursal()));
  379.         $sucursal $sucursal->getCodalmvent() ?? '';
  380.         // if ($cabecera->getNifcliente()){
  381.         //     $top_articulos = $articulosRepository->findTopArticulosByCliente($cabecera->getNifcliente(), $sucursal);
  382.         // } else {
  383.         //     $top_articulos = [];
  384.         // }
  385.         //$top_articulos = $estadisticasService->obtenerTopArticulos(
  386.         //    $cabecera->getNifcliente(),
  387.         //    $cabecera->getTelefonocliente(),
  388.         //    $sucursal
  389.         //);
  390.         $top_ids_articulos $estadisticasService->obtenerIdsTopArticulos(
  391.             $cabecera->getNifcliente(),
  392.             $cabecera->getTelefonocliente(),
  393.         );
  394.         if(!empty($top_ids_articulos)){
  395.             $top_articulos $estadisticasService->obtenerTopArticulos(
  396.                 $top_ids_articulos,
  397.                 $sucursal,
  398.             );
  399.         } else {
  400.             $top_articulos = [];
  401.         }
  402.         return $this->render('callcenter/pedido.html.twig', [
  403.             'favoritos' => $favoritos,
  404.             'cabecera' => $cabecera,
  405.             'top' => $top_articulos,
  406.         ]);
  407.     }
  408.     #[Route('/load-modal'name'load_modal'methods: ['GET'])]
  409.     public function loadModal(ArticulosRepository $articulosRepositoryRequest $request): Response
  410.     {
  411.         // Obtenemos el tipo de modal desde el request (en lugar de pasar directamente la plantilla)
  412.         $modalType $request->query->get('modalType''default');
  413.         $data = [];
  414.         // Definimos diferentes plantillas según el tipo de modal
  415.         switch ($modalType) {
  416.             case 'search':
  417.                 $template 'callcenter/search_modal.html.twig';
  418.                 break;
  419.             case 'top':
  420.                 // $top_articulos = $articulosRepository->findArticulosByFavorito(80098823, 'POBLADO');
  421.                 $template 'callcenter/top_modal.html.twig';
  422.                 break;
  423.             default:
  424.                 $template 'callcenter/default_modal.html.twig';
  425.         }
  426.         return $this->render($template$data);
  427.     }
  428.     // #[Route('/buscar-productos-modal', name: 'buscar_productos_modal', methods: ['GET'])]
  429.     // public function loadModal(): Response
  430.     // {
  431.     //     return $this->render('callcenter/search_modal.html.twig');
  432.     // }
  433.     #[Route('/buscar-productos'name'buscar_productos'methods: ['GET'])]
  434.     public function buscarProductos(ArticulosRepository $articulosRepositoryRequest $request): Response
  435.     {
  436.         $query $request->query->get('query');
  437.         $sucursal $this->doctrine
  438.             ->getRepository(Sucursal::class)
  439.             ->findOneBy(array('nombre' => $request->query->get('sucursal')));
  440.         $sucursal $sucursal->getCodalmvent() ?? '';
  441.         $articulos $articulosRepository->findArticulosByName($query$sucursal);
  442.         return $this->render('callcenter/search_results.html.twig', [
  443.             'articulos' => $articulos,
  444.             'query' => strtoupper($request->query->get('query')),
  445.         ]);
  446.     }
  447.     #[Route('/articulos'name'cc_articulos')]
  448.     public function articulos(ArticulosRepository $articulosRepositoryRequest $request): Response
  449.     {
  450.         // $template = $request->query->get('ajax') ? '_articulos.html.twig' : 'fav.html.twig';
  451.         $favorito $request->query->get('fav');
  452.         $sucursal $this->doctrine
  453.             ->getRepository(Sucursal::class)
  454.             ->findOneBy(array('nombre' => $request->query->get('sucursal')));
  455.         // $sucursal = $sucursal ? $sucursal->getCodalmvent() : '';
  456.         $sucursal $sucursal->getCodalmvent() ?? '';
  457.         $articulos $articulosRepository->findArticulosByFavorito($favorito$sucursal);
  458.         return $this->render('callcenter/_articulos.html.twig', [
  459.             'articulos' => $articulos,
  460.         ]);
  461.     }
  462.     #[Route('/articulo'name'cc_articulo')]
  463.     public function articulo(ArticulosRepository $articulosRepositoryRequest $request): Response
  464.     {
  465.         $id $request->query->get('codarticulo');
  466.         $fav $request->query->get('fav');
  467.         $articulo $articulosRepository->findArticulo($id$fav);
  468.         if (!$articulo) {
  469.             throw $this->createNotFoundException(
  470.                 'Artículo no encontrado'
  471.             );
  472.         }
  473.         $modsbyarticulo $articulosRepository->findModificadoresByArticulo($id);
  474.         $mods = array();
  475.         foreach ($modsbyarticulo as $item) {
  476.             $mods[] = $articulosRepository->findModificadores($item['codmodificador']);
  477.         }
  478.         $inicialstate $articulosRepository->validadorArticulos($modsbyarticulo);
  479.         return $this->render('callcenter/_articulo.html.twig', [
  480.             'articulo' => $articulo,
  481.             'modsbyarticulo' => $modsbyarticulo,
  482.             'mods' => $mods,
  483.             'jsonmodsbyarticulo' => json_encode($modsbyarticulo),
  484.             'jsonmods' => json_encode($mods),
  485.             'inicialstate' => $inicialstate,
  486.         ]);
  487.     }
  488.     #[Route('/crearlistas'name'cc_crearlistas')]
  489.     public function crearlistas(ArticulosRepository $articulosRepositoryModificadoreslinRepository $mlinRepositoryRequest $requestEntityManagerInterface $entityManager): response
  490.     {
  491.         $cabeceraId $request->query->get('cabecera');
  492.         $parentId $request->query->get('parent');
  493.         $q intval($request->query->get('q'));
  494.         $fav $request->query->get('fav');
  495.         $childs explode(","$request->query->get('childs'));
  496.         $modcabs explode(","$request->query->get('modcabs'));
  497.         $cabecera $entityManager->getRepository(Cabecera::class)->find($cabeceraId);
  498.         $parent $articulosRepository->findArticulo($parentId$fav);
  499.         // Crear línea principal y líneas hijas
  500.         $parentLine $this->createParentLine($cabecera$parent$q$fav);
  501.         $entityManager->persist($parentLine);
  502.         $childTotalPrice 0;
  503.         if (!empty($childs[0])) {
  504.             $childTotalPrice $this->createChildLines($childs$modcabs$parent$q$parentLine$mlinRepository$entityManager);
  505.         }
  506.         // Actualizar totales en línea principal y Cabecera
  507.         $this->updateParentLineTotal($parentLine$childTotalPrice);
  508.         $this->updateCabeceraTotals($cabecera$parentLine$childTotalPrice);
  509.         $entityManager->flush();
  510.         return $this->render('callcenter/_lineas.html.twig', [
  511.             'cabecera' => $cabecera,
  512.         ]);
  513.     }
  514.     private function createParentLine($cabecera$parent$q$fav): Lineas
  515.     {
  516.         $linePrice $parent['pneto'] * $q;
  517.         $line = new Lineas();
  518.         $line->setCabecera($cabecera);
  519.         $line->setCodarticulo($parent['codarticulo']);
  520.         $line->setDescripcion($parent['descripcion']);
  521.         $line->setPrecio($linePrice);
  522.         $line->setPreciounidad($parent['pneto']);
  523.         $line->setPreciototal($parent['pneto']);
  524.         $line->setUnidades($q);
  525.         $line->setCodfavoritos($fav);
  526.         $line->setCodImpuesto($parent['tipoiva']);
  527.         $parentPriceWithoutTax $this->calcularPrecioSinImpuesto($linePrice$line->getCodImpuesto());
  528.         $line->setPreciosiniva($parentPriceWithoutTax);
  529.         return $line;
  530.     }
  531.     private function createChildLines($childs$modcabs$parent$q$parentLine$mlinRepositoryEntityManagerInterface $entityManager): float
  532.     {
  533.         $parentLine->setNumlineasmodif(count($childs));
  534.         $childTotalPrice 0;
  535.         $childData = [];
  536.         foreach ($childs as $key => $child) {
  537.             $childArticle $mlinRepository->findModificador($child$parent['codarticulo'], $modcabs[$key]);
  538.             $linePrice $childArticle['incprecio'] * $q;
  539.             // Almacena toda la información relevante
  540.             $childData[] = [
  541.                 'childArticle' => $childArticle,
  542.                 'linePrice' => $linePrice,
  543.                 'quantity' => $q,
  544.             ];
  545.         }
  546.         usort($childData, function ($a$b) {
  547.             return $a['childArticle']['posicion'] - $b['childArticle']['posicion'];
  548.         });
  549.         foreach ($childData as $data) {
  550.             $childArticle $data['childArticle'];
  551.             $linePrice $data['linePrice'];
  552.             $q $data['quantity'];
  553.             $line = new Lineas();
  554.             $line->setCabecera($parentLine->getCabecera());
  555.             $line->setParent($parentLine);
  556.             $line->setCodarticulo($childArticle['codarticulocom']);
  557.             $line->setDescripcion($childArticle['descripcion']);
  558.             $line->setPrecio($linePrice);
  559.             $line->setUnidades($q);
  560.             $line->setNumlineasmodif(null);
  561.             $line->setCodImpuesto($childArticle['tipoiva']);
  562.             $line->setPreciosiniva($this->calcularPrecioSinImpuesto($linePrice$childArticle['tipoiva']));
  563.             $line->setPosicion($childArticle['posicion']);
  564.             $childTotalPrice += $linePrice;
  565.             $entityManager->persist($line);
  566.         }
  567.         // $entityManager->flush();
  568.         return $childTotalPrice;
  569.     }
  570.     private function updateParentLineTotal($parentLinefloat $childTotalPrice): void
  571.     {
  572.         // $parentLine->setPreciototal($parentLine->getPrecio() + $childTotalPrice);
  573.         $totalPrice $parentLine->getPrecio() + $childTotalPrice;
  574.         $parentLine->setPreciototal($totalPrice);
  575.         $parentPriceWithoutTax $this->calcularPrecioSinImpuesto($totalPrice$parentLine->getCodImpuesto());
  576.         $parentLine->setPreciosiniva($parentPriceWithoutTax);
  577.     }
  578.     private function updateCabeceraTotals($cabecera$parentLinefloat $childTotalPrice): void
  579.     {
  580.         $cabecera->setTotal($cabecera->getTotal() + $parentLine->getPrecio() + $childTotalPrice);
  581.         $cabecera->setTotalsiniva($cabecera->getTotalsiniva() + $parentLine->getPreciosiniva());
  582.         // $cabecera->setTotalsiniva($cabecera->getTotalsiniva() + $parentLine->getPreciosiniva() + $this->calcularPrecioSinImpuesto($childTotalPrice, $parentLine->getCodImpuesto()));
  583.     }
  584.     private function calcularPrecioSinImpuesto($precioConImpuesto$porcentajeImpuesto)
  585.     {
  586.         return $precioConImpuesto / (+ ($porcentajeImpuesto 100));
  587.     }
  588.     #[Route('/agregarcomentario/{parent}'name'cc_agregarcomentario')]
  589.     public function addComent(EntityManagerInterface $emLineasRepository $lRequest $requestint $parent): response
  590.     {
  591.         $p $l->findOneBy(['id' => $parent]);
  592.         $linea = new Lineas;
  593.         $form $this->createForm(LineasType::class, $linea);
  594.         $form->handleRequest($request);
  595.         if ($form->isSubmitted() && $form->isValid()) {
  596.             $linea $form->getData();
  597.             $linea->setCodarticulo(0);
  598.             $linea->setPrecio(0);
  599.             $linea->setCodfavoritos(0);
  600.             // $linea->setParent($p);
  601.             $linea->setCabecera($p->getCabecera());
  602.             $root $p->getRoot();
  603.             $n $root->getNumlineasmodif() + 1;
  604.             $root->setNumlineasmodif($n);
  605.             // $l->persistAsFirstChildOf($linea, $p);
  606.             $l->persistAsLastChildOf($linea$p);
  607.             $em->persist($root);
  608.             $em->flush();
  609.             // if($countComment > 0){
  610.             //     $l->moveUp($linea, $countComment);
  611.             // }
  612.             return $this->redirectToRoute('cc_favoritos', [
  613.                 'id' => $p->getCabecera()->getId(),
  614.             ]);
  615.         }
  616.         return $this->render('callcenter/_comentarios.html.twig', [
  617.             'form' => $form->createView(),
  618.             'parent' => $p
  619.         ]);
  620.     }
  621.     #[Route('/borrarlista/{id}'name'cc_borrarlista')]
  622.     public function borrarlista(LineasRepository $lRequest $requestint $id): response
  623.     {
  624.         $entityManager $this->doctrine->getManager();
  625.         // Linea que se quiere borrar
  626.         $linea $l->find($id);
  627.         if (!$linea) {
  628.             throw $this->createNotFoundException('Linea no encontrada.');
  629.         }
  630.         $cabecera $linea->getCabecera();
  631.         $precioTotal $linea->getPrecio();
  632.         $precioSinIVA $linea->getPreciosiniva();
  633.         if ($linea->getParent() === null && $linea->getNumlineasmodif() > 0) {
  634.             list($childPriceTotal$childPriceWithoutTax) = $this->removeChildLines($linea$l$entityManager);
  635.             $precioTotal += $childPriceTotal;
  636.             $precioSinIVA += $childPriceWithoutTax;
  637.         } elseif ($linea->getParent() !== null) {
  638.             $parentLine $linea->getRoot();
  639.             $parentLine->setNumlineasmodif($parentLine->getNumlineasmodif() - 1);
  640.             $parentLine->setPreciototal($parentLine->getPreciototal() - ($precioTotal $linea->getUnidades()));
  641.             $parentLine->setPreciosiniva($parentLine->getPreciosiniva() - $precioSinIVA); // Añadido para actualizar el preciosiniva del parent
  642.             $entityManager->persist($parentLine);
  643.         }
  644.         $cabecera->setTotal($cabecera->getTotal() - $precioTotal);
  645.         $cabecera->setTotalsiniva($cabecera->getTotalsiniva() - $precioSinIVA);
  646.         $entityManager->remove($linea);
  647.         $entityManager->persist($cabecera);
  648.         $entityManager->flush();
  649.         return $this->redirectToRoute('cc_favoritos', ['id' => $cabecera->getId()]);
  650.     }
  651.     private function removeChildLines(Lineas $parentLineLineasRepository $lEntityManagerInterface $entityManager): array
  652.     {
  653.         $childLines $l->findBy(['parent' => $parentLine->getId()]);
  654.         $childPriceTotal 0;
  655.         $childPriceWithoutTax 0;
  656.         foreach ($childLines as $child) {
  657.             $childPriceTotal += $child->getPrecio();
  658.             $childPriceWithoutTax += $child->getPreciosiniva();
  659.             $entityManager->remove($child);
  660.         }
  661.         return [$childPriceTotal$childPriceWithoutTax];
  662.     }
  663.     // #[Route('/borrarlista/{id}', name: 'cc_borrarlista')]
  664.     // public function borrarlista(LineasRepository $l, Request $request, int $id): response
  665.     // {
  666.     //     // $favoritos = $favoritoscab->findAllByTerminal(2);
  667.     //     $entityManager = $this->doctrine->getManager();
  668.     //     //linea que se quiere borrar
  669.     //     $linea = $this->doctrine
  670.     //         ->getRepository(Lineas::class)
  671.     //         ->find($id);
  672.     //     $cabecera = $linea->getCabecera();
  673.     //     $total = $cabecera->getTotal();
  674.     //     if ($linea->getParent() === null) {
  675.     //         if ($linea->getNumlineasmodif() > 0) {
  676.     //             $childs = $l->findby(['parent' => $linea->getId()]);
  677.     //             foreach ($childs as $key => $child) {
  678.     //                 $total = $total - $child->getPrecio();
  679.     //                 $entityManager->remove($child);
  680.     //             }
  681.     //         }
  682.     //     } else {
  683.     //         $p = $linea->getRoot();
  684.     //         $countChild = $l->childCount($linea);
  685.     //         $count = $countChild + 1;
  686.     //         $n = $p->getNumlineasmodif() - $count;
  687.     //         $p->setNumlineasmodif($n);
  688.     //         //probando
  689.     //         $p->setPreciototal($p->getPreciototal() - ($linea->getPrecio() / $linea->getUnidades()));
  690.     //         $entityManager->persist($p);
  691.     //     }
  692.     //     $total = $total - $linea->getPrecio();
  693.     //     $cabecera->setTotal($total);
  694.     //     $entityManager->remove($linea);
  695.     //     $entityManager->persist($cabecera);
  696.     //     $entityManager->flush();
  697.     //     return $this->redirectToRoute('cc_favoritos', array('id' => $linea->getCabecera()->getId()));
  698.     // }
  699.     #[Route('/enespera'name'cc_enespera')]
  700.     public function esperarpago(): response
  701.     {
  702.         return $this->render('callcenter/enespera.html.twig');
  703.     }
  704.     #[Route('/hacerpedido/{id}'name'cc_hacerpedido')]
  705.     public function generarxml(int $idXmlGeneratorService $xml): response
  706.     {
  707.         $cab $this->doctrine
  708.             ->getRepository(Cabecera::class)
  709.             ->find($id);
  710.         $estadoinicial $cab->getEstado();
  711.         $entityManager $this->doctrine->getManager();
  712.         if ($this->isReservation($cab) === false) {
  713.             $filename $xml->generatorXML($cab);
  714.             $cab->setFilename($filename);
  715.             $cab->setIsFinalizada(true);
  716.             $status $this->createStatus($cab'PROCESANDO'$this->getUser());
  717.         } else {
  718.             $cab->setIsFinalizada(false);
  719.             $status $this->createStatus($cab'PROGRAMADO'$this->getUser());
  720.         }
  721.         $entityManager->persist($status);
  722.         $entityManager->persist($cab);
  723.         $entityManager->flush();
  724.         if ($estadoinicial == 'EDICION') {
  725.             $url $this->adminUrlGenerator
  726.                 ->setController(CabeceraCrudController::class)
  727.                 ->setAction(Action::DETAIL)
  728.                 ->setEntityId($cab->getId())
  729.                 ->generateUrl();
  730.             return $this->redirect($url);
  731.         } else {
  732.             return $this->render('callcenter/finalizarpedido.html.twig', [
  733.                 'cabecera' => $cab
  734.             ]);
  735.         }
  736.     }
  737.     // #[Route('/hacerpedido/{id}', name: 'cc_hacerpedido')]
  738.     // public function generarxml(int $id, Xml $xml): response
  739.     // {
  740.     //     $cab = $this->doctrine
  741.     //         ->getRepository(Cabecera::class)
  742.     //         ->find($id);
  743.     //     $estadoinicial = $cab->getEstado();
  744.     //     if ($this->isReservation($cab) === false) {
  745.     //         $datetime['fecha'] = $cab->getUpdatedAt()->format('dm');
  746.     //         $datetime['hora'] = $cab->getUpdatedAt()->format('His');
  747.     //         $filename = substr($cab->getSucursal(), 0, 3) . $datetime['fecha'] . $datetime['hora'] . '-' . $cab->getId();
  748.     //         $cab->setFilename($filename);
  749.     //         $cab->setIsFinalizada(true);
  750.     //         $entityManager = $this->doctrine->getManager();
  751.     //         //log
  752.     //         $status = $this->createStatus($cab, 'PROCESANDO', $this->getUser());
  753.     //         $entityManager->persist($status);
  754.     //         //log
  755.     //         $entityManager->persist($cab);
  756.     //         $numlineas = 2;
  757.     //         foreach ($cab->getLineas() as $key => $linea) {
  758.     //             if ($linea->getParent() == null) {
  759.     //                 $numlineas++;
  760.     //             }
  761.     //         }
  762.     //         $xmlText = $xml->generarXml($cab, $datetime, $numlineas, $filename);
  763.     //         // SIRVE PARA GUARDAR EL ARCHIVO EN PUBLIC/UPLOADS*****
  764.     //         $filenameext = $filename . '.xml';
  765.     //         $path1 = $this->getParameter('kernel.project_dir') . '/public/uploads/' . $filenameext;
  766.     //         $path2 = $this->getParameter('kernel.project_dir') . '/public/respaldoXML/' . $filenameext;
  767.     //         $fileSystem = new Filesystem();
  768.     //         $fileSystem->dumpFile($path1, $xmlText);
  769.     //         $fileSystem->dumpFile($path2, $xmlText);
  770.     //     } else {
  771.     //         $cab->setIsFinalizada(false);
  772.     //         $entityManager = $this->doctrine->getManager();
  773.     //         //log
  774.     //         $status = $this->createStatus($cab, 'PROGRAMADO', $this->getUser());
  775.     //         $entityManager->persist($status);
  776.     //         //log
  777.     //         $entityManager->persist($cab);
  778.     //     }
  779.     //     $entityManager->flush();
  780.     //     if ($estadoinicial == 'EDICION') {
  781.     //         $url = $this->adminUrlGenerator
  782.     //             ->setController(CabeceraCrudController::class)
  783.     //             ->setAction(Action::DETAIL)
  784.     //             ->setEntityId($cab->getId())
  785.     //             ->generateUrl();
  786.     //         return $this->redirect($url);
  787.     //     } else {
  788.     //         return $this->render('callcenter/finalizarpedido.html.twig', [
  789.     //             'cabecera' => $cab
  790.     //         ]);
  791.     //     }
  792.     // }
  793.     #[Route('/confirmarpedido/{id}'name'cc_confirmarpedido')]
  794.     public function confirmarpedido(int $idRequest $requestGlobalPayService $globalPayService): response
  795.     {
  796.         $cab $this->doctrine
  797.             ->getRepository(Cabecera::class)
  798.             ->find($id);
  799.         $form $this->createForm(Cabecera2Type::class, $cab);
  800.         $form->handleRequest($request);
  801.         if ($form->isSubmitted() && $form->isValid()) {
  802.             $cab $form->getData();
  803.             $propinatotal $cab->getPropinatotal();
  804.             if (is_numeric($propinatotal) && $propinatotal 0) {
  805.                 $cab->setPropinatotal(floor($propinatotal 100) * 100);
  806.             } else {
  807.                 $cab->setPropinatotal(0);
  808.                 $cab->setPropinaporcentaje(0);
  809.             }
  810.             if ((int) $cab->getMetododepago() === (int) Cabecera::PAY_METHOD['CALL CENTER PREPAGADA']) {
  811.                 $data $globalPayService->prepareGlobalpayData([
  812.                     'nifcliente' => $cab->getNifcliente(),
  813.                     'emailcliente' => $cab->getEmailLinkdepago(),
  814.                     'nombres' => $cab->getNombres(),
  815.                     'apellidos' => ($cab->getApellidos() === null or $cab->getApellidos() === '') ? '_' $cab->getApellidos(),
  816.                     'id' => $cab->getId(),
  817.                     'total' => $cab->getTotal() + $cab->getPropinatotal(),
  818.                     'totalsiniva' => $cab->getTotalsiniva(),
  819.                     'sucursal' => $cab->getSucursal(),
  820.                 ]);
  821.                 $response $globalPayService->enviarDatos($data);
  822.                 $content json_decode($response['content'], true);
  823.                 $cab->setLinkdepago($content['data']['payment']['payment_url']);
  824.                 $entityManager $this->doctrine->getManager();
  825.                 $entityManager->persist($cab);
  826.                 $entityManager->flush();
  827.                 return $this->redirectToRoute('cc_linkdepago', [
  828.                     'id' => $cab->getId()
  829.                 ]);
  830.             }
  831.             $entityManager $this->doctrine->getManager();
  832.             $entityManager->persist($cab);
  833.             $entityManager->flush();
  834.             return $this->redirectToRoute('cc_hacerpedido', [
  835.                 'id' => $cab->getId()
  836.             ]);
  837.         }
  838.         return $this->render('callcenter/confirmarpedido.html.twig', [
  839.             'cabecera' => $cab,
  840.             'form' => $form->createView(),
  841.         ]);
  842.     }
  843.     #[Route('/linkdepago/{id}'name'cc_linkdepago')]
  844.     public function linkdepago(int $idRequest $requestMailerService $mailerService): response
  845.     {
  846.         $entityManager $this->doctrine->getManager();
  847.         $cabecera $entityManager->getRepository(Cabecera::class)->find($id);
  848.         if (!$cabecera) {
  849.             // Manejar el caso de que la cabecera no se encuentre
  850.             $this->addFlash('error''No se encontró el pedido solicitado.');
  851.             return $this->redirectToRoute('call_center');
  852.         }
  853.         if ($cabecera->getEmailLinkdepago() === null) {
  854.             $cabecera->setEmailLinkdepago($cabecera->getEmailcliente() ?? '');
  855.         }
  856.         // $estado = $entityManager->getRepository(CabeceraLinkdepago::class)->findOneBy(
  857.         //     ['Cabecera' => $cabecera->getId()],
  858.         //     ['createdAt' => 'DESC']
  859.         // );
  860.         $form $this->createForm(CabeceraEmailLinkdepagoType::class, $cabecera);
  861.         $form->handleRequest($request);
  862.         if ($form->isSubmitted() && $form->isValid()) {
  863.             $config $entityManager->getRepository(Configuracion::class)->findOneBy([]);
  864.             try {
  865.                 $mailerService->sendEmail(
  866.                     $cabecera->getEmailLinkdepago(),
  867.                     "Crepes & Waffles - Tu link de pago seguro",
  868.                     "emails/linkdepago.html.twig",
  869.                     ['cabecera' => $cabecera'timeout' => $config->getLinkdepagoTimeout() ?? 5],
  870.                 );
  871.             } catch (\Exception $e) {
  872.                 $this->addFlash('notice''No se pudo enviar el correo: ' $e->getMessage());
  873.                 return $this->render('callcenter/linkdepago.html.twig', [
  874.                     'cabecera' => $cabecera,
  875.                     'estado' => null,
  876.                     'form' => $form->createView(),
  877.                 ]);
  878.             }
  879.             $cabecera $form->getData();
  880.             // $entityManager->persist($cabecera);
  881.             $entityManager->flush();
  882.             return $this->redirectToRoute('cc_enespera');
  883.             // return $this->redirectToRoute('cc_hacerpedido', ['id' => $cabecera->getId()]);
  884.         }
  885.         return $this->render('callcenter/linkdepago.html.twig', [
  886.             'cabecera' => $cabecera,
  887.             // 'estado' => $estado,
  888.             'estado' => null,
  889.             'form' => $form->createView(),
  890.         ]);
  891.     }
  892.     private function isReservation(Cabecera $cabecera): bool
  893.     {
  894.         if ($cabecera->getFechareserva() != null) {
  895.             //fecha actual mas el tiempo de preparacion
  896.             if ($cabecera->getTipodeservicio() ==  16) {
  897.                 $paramtimebc $this->getParameter('app.bc.horaclienterecoge');
  898.             } else {
  899.                 $paramtimebc $this->getParameter('app.bc.horareserva');
  900.             }
  901.             $time date("Y-m-d H:i:s"strtotime($paramtimebc ' minutes'));
  902.             //Si la fecha de reserva es mayor que $time, Sí es reserva
  903.             if ($cabecera->getFechareserva()->format('Y-m-d H:i:s') > $time) {
  904.                 // Es reserva
  905.                 return true;
  906.             } else {
  907.                 // No es reserva
  908.                 return false;
  909.             }
  910.         } else {
  911.             return false;
  912.         }
  913.     }
  914.     #[Route('/cambiarestado/{id}/{action}'name'cambiar_estado')]
  915.     public function cambiarEstado(int $id$action)
  916.     {
  917.         $cab $this->doctrine
  918.             ->getRepository(Cabecera::class)
  919.             ->find($id);
  920.         if (!$cab) {
  921.             throw $this->createNotFoundException(
  922.                 'Pedido no encontrado'
  923.             );
  924.         }
  925.         $entityManager $this->doctrine->getManager();
  926.         switch ($action) {
  927.             case 'cancelar':
  928.                 $status $this->createStatus($cab'CANCELADO'$this->getUser());
  929.                 $flash 'Pedido Cancelado';
  930.                 $cab->setIsFinalizada(true);
  931.                 $cab->setLinkdepago(null);
  932.                 $entityManager->persist($cab);
  933.                 break;
  934.             case 'anular':
  935.                 $status $this->createStatus($cab'ANULADO'$this->getUser());
  936.                 $flash 'Pedido anulado';
  937.                 $cab->setLinkdepago(null);
  938.                 $entityManager->persist($cab);
  939.                 break;
  940.         }
  941.         $entityManager->persist($status);
  942.         $entityManager->flush();
  943.         $url $this->adminUrlGenerator
  944.             ->setController(CabeceraCrudController::class)
  945.             ->setAction(Action::DETAIL)
  946.             ->setEntityId($id)
  947.             ->removeReferrer()
  948.             ->generateUrl();
  949.         $this->addFlash('success'$flash);
  950.         return $this->redirect($url);
  951.     }
  952. }
  953. // $ppk = $this->getParameter('kernel.project_dir') . '/public/uploads/idisftp.ppk';
  954. // $key = PublicKeyLoader::load(file_get_contents($ppk), $password = false);
  955. // $sftp = new SFTP('64.76.58.172', 222);
  956. // $sftp_login = $sftp->login('idisftp', $key);
  957. // if($sftp_login) {
  958. //     // return $this->render('default/test.html.twig', array(
  959. //     // 'path' => $sftp->exec('pwd'),
  960. //     // ));
  961. //     // $sftp->enablePTY();
  962. //     dd($sftp->nlist());
  963. //     dd($sftp->put('filename.remote', 'xxx'));
  964. // }
  965. // else throw new \Exception('Cannot login into your server !');