vendor/uvdesk/core-framework/Services/TicketService.php line 70

Open in your IDE?
  1. <?php
  2. namespace Webkul\UVDesk\CoreFrameworkBundle\Services;
  3. use Doctrine\ORM\EntityManagerInterface;
  4. use Doctrine\ORM\Query;
  5. use Symfony\Component\DependencyInjection\ContainerInterface;
  6. use Symfony\Component\Filesystem\Filesystem;
  7. use Symfony\Component\HttpFoundation\Request;
  8. use Symfony\Component\HttpFoundation\Response;
  9. use Symfony\Component\HttpFoundation\RequestStack;
  10. use Symfony\Component\Routing\Generator\UrlGeneratorInterface;
  11. use Symfony\Component\Yaml\Yaml;
  12. use UVDesk\CommunityPackages\UVDesk\FormComponent\Entity;
  13. use UVDesk\CommunityPackages\UVDesk\FormComponent\Entity as CommunityPackageEntities;
  14. use Webkul\UVDesk\AutomationBundle\Entity\PreparedResponses;
  15. use Webkul\UVDesk\CoreFrameworkBundle\Entity\User;
  16. use Webkul\UVDesk\CoreFrameworkBundle\Entity\UserInstance;
  17. use Webkul\UVDesk\CoreFrameworkBundle\Entity\AgentActivity;
  18. use Webkul\UVDesk\CoreFrameworkBundle\Entity\Ticket;
  19. use Webkul\UVDesk\CoreFrameworkBundle\Entity\Thread;
  20. use Webkul\UVDesk\CoreFrameworkBundle\Entity\Tag;
  21. use Webkul\UVDesk\CoreFrameworkBundle\Entity\TicketType;
  22. use Webkul\UVDesk\CoreFrameworkBundle\Entity\TicketStatus;
  23. use Webkul\UVDesk\CoreFrameworkBundle\Entity\TicketPriority;
  24. use Webkul\UVDesk\CoreFrameworkBundle\Entity\SupportRole;
  25. use Webkul\UVDesk\CoreFrameworkBundle\Entity\Website;
  26. use Webkul\UVDesk\CoreFrameworkBundle\Entity\SupportGroup;
  27. use Webkul\UVDesk\CoreFrameworkBundle\Entity\SupportTeam;
  28. use Webkul\UVDesk\CoreFrameworkBundle\Entity\SupportLabel;
  29. use Webkul\UVDesk\CoreFrameworkBundle\Entity\SavedReplies;
  30. use Webkul\UVDesk\CoreFrameworkBundle\Entity\Attachment;
  31. use Webkul\UVDesk\CoreFrameworkBundle\Utils\TokenGenerator;
  32. use Webkul\UVDesk\CoreFrameworkBundle\Workflow\Events as CoreWorkflowEvents;
  33. use Webkul\UVDesk\CoreFrameworkBundle\Services\FileUploadService;
  34. use Webkul\UVDesk\CoreFrameworkBundle\Services\UserService;
  35. use Webkul\UVDesk\MailboxBundle\Utils\Mailbox\Mailbox;
  36. use Webkul\UVDesk\MailboxBundle\Utils\MailboxConfiguration;
  37. use Webkul\UVDesk\MailboxBundle\Utils\IMAP\Configuration as ImapConfiguration;
  38. use Webkul\UVDesk\SupportCenterBundle\Entity\Article;
  39. use Webkul\UVDesk\SupportCenterBundle\Entity\KnowledgebaseWebsite;
  40. use Webkul\UVDesk\MailboxBundle\Services\MailboxService;
  41. use Symfony\Contracts\Translation\TranslatorInterface;
  42. use UVDesk\CommunityPackages\UVDesk as UVDeskCommunityPackages;
  43. class TicketService
  44. {
  45.     const PATH_TO_CONFIG '/config/packages/uvdesk_mailbox.yaml';
  46.     protected $container;
  47.     protected $requestStack;
  48.     protected $entityManager;
  49.     protected $fileUploadService;
  50.     protected $userService;
  51.     
  52.     public function __construct(
  53.         ContainerInterface $container,
  54.         RequestStack $requestStack,
  55.         EntityManagerInterface $entityManager,
  56.         FileUploadService $fileUploadService,
  57.         UserService $userService,
  58.         MailboxService $mailboxService,
  59.         TranslatorInterface $translator
  60.     ) {
  61.         $this->container $container;
  62.         $this->requestStack $requestStack;
  63.         $this->entityManager $entityManager;
  64.         $this->fileUploadService $fileUploadService;
  65.         $this->userService $userService;
  66.         $this->mailboxService $mailboxService;
  67.         $this->translator $translator;
  68.     }
  69.     public function getAllMailboxes()
  70.     {
  71.         $mailboxConfiguration $this->mailboxService->parseMailboxConfigurations();
  72.         $defaultMailbox $mailboxConfiguration->getDefaultMailbox();
  73.         $collection array_map(function ($mailbox) use ($defaultMailbox) {
  74.             return [
  75.                 'id'        => $mailbox->getId(),
  76.                 'name'      => $mailbox->getName(),
  77.                 'isEnabled' => $mailbox->getIsEnabled(),
  78.                 'email'     => $mailbox->getImapConfiguration()->getUsername(),
  79.             ];
  80.         }, array_values($mailboxConfiguration->getMailboxes()));
  81.         return ($collection ?? []);
  82.     }
  83.     public function generateRandomEmailReferenceId()
  84.     {
  85.         $emailDomain null;
  86.         $mailbox $this->mailboxService->parseMailboxConfigurations()->getDefaultMailbox();
  87.         if (!empty($mailbox)) {
  88.             $smtpConfiguration $mailbox->getSmtpConfiguration();
  89.             if (!empty($smtpConfiguration)) {
  90.                 $emailDomain substr($smtpConfiguration->getUsername(), strpos($smtpConfiguration->getUsername(), '@'));
  91.             }
  92.         }
  93.         if (!empty($emailDomain)) {
  94.             return sprintf("<%s%s>"TokenGenerator::generateToken(20'0123456789abcdefghijklmnopqrstuvwxyz'), $emailDomain);
  95.         }
  96.         return null;
  97.     }
  98.     // @TODO: Refactor this out of this service. Use UserService::getSessionUser() instead.
  99.     public function getUser()
  100.     {
  101.         return $this->container->get('user.service')->getCurrentUser();
  102.     }
  103.     public function getDefaultType()
  104.     {
  105.         $typeCode $this->container->getParameter('uvdesk.default.ticket.type');
  106.         $ticketType $this->entityManager->getRepository(TicketType::class)->findOneByCode($typeCode);
  107.         return !empty($ticketType) ? $ticketType null;
  108.     }
  109.     public function getDefaultStatus()
  110.     {
  111.         $statusCode $this->container->getParameter('uvdesk.default.ticket.status');
  112.         $ticketStatus $this->entityManager->getRepository(TicketStatus::class)->findOneByCode($statusCode);
  113.         return !empty($ticketStatus) ? $ticketStatus null;
  114.     }
  115.     public function getDefaultPriority()
  116.     {
  117.         $priorityCode $this->container->getParameter('uvdesk.default.ticket.priority');
  118.         $ticketPriority $this->entityManager->getRepository(TicketPriority::class)->findOneByCode($priorityCode);
  119.         return !empty($ticketPriority) ? $ticketPriority null;
  120.     }
  121.     public function appendTwigSnippet($snippet '')
  122.     {
  123.         switch ($snippet) {
  124.             case 'createMemberTicket':
  125.                 return $this->getMemberCreateTicketSnippet();
  126.                 break;
  127.             default:
  128.                 break;
  129.         }
  130.         return '';
  131.     }
  132.     public function getMemberCreateTicketSnippet()
  133.     {   
  134.         $twigTemplatingEngine $this->container->get('twig');
  135.         $ticketTypeCollection $this->entityManager->getRepository(TicketType::class)->findByIsActive(true);
  136.         
  137.         try {
  138.             if ($this->userService->isFileExists('apps/uvdesk/custom-fields')) {
  139.                 $headerCustomFields $this->container->get('uvdesk_package_custom_fields.service')->getCustomFieldsArray('user');
  140.             } else if ($this->userService->isFileExists('apps/uvdesk/form-component')) {
  141.                 $headerCustomFields $this->container->get('uvdesk_package_form_component.service')->getCustomFieldsArray('user');
  142.             }
  143.         } catch (\Exception $e) {
  144.             // @TODO: Log exception message
  145.         }
  146.         return $twigTemplatingEngine->render('@UVDeskCoreFramework/Snippets/createMemberTicket.html.twig', [
  147.             'ticketTypeCollection' => $ticketTypeCollection,
  148.             'headerCustomFields'   => $headerCustomFields ?? null,
  149.         ]);
  150.     }
  151.     public function getCustomerCreateTicketCustomFieldSnippet()
  152.     {
  153.         try {
  154.             if ($this->userService->isFileExists('apps/uvdesk/custom-fields')) {
  155.                 $customFields $this->container->get('uvdesk_package_custom_fields.service')->getCustomFieldsArray('customer');
  156.             } else if ($this->userService->isFileExists('apps/uvdesk/form-component')) {
  157.                 $customFields $this->container->get('uvdesk_package_form_component.service')->getCustomFieldsArray('customer');
  158.             }
  159.         } catch (\Exception $e) {
  160.             // @TODO: Log exception message
  161.         }
  162.         return $customFields ?? null;
  163.     }
  164.     public function createTicket(array $params = [])
  165.     {
  166.         $thread $this->entityManager->getRepository(Thread::class)->findOneByMessageId($params['messageId']);
  167.         if (empty($thread)) {
  168.             $user $this->entityManager->getRepository(User::class)->findOneByEmail($params['from']);
  169.             if (empty($user) || null == $user->getCustomerInstance()) {
  170.                 $role $this->entityManager->getRepository(SupportRole::class)->findOneByCode($params['role']);
  171.                 if (empty($role)) {
  172.                     throw new \Exception("The requested role '" $params['role'] . "' does not exist.");
  173.                 }
  174.                 
  175.                 // Create User Instance
  176.                 $user $this->container->get('user.service')->createUserInstance($params['from'], $params['name'], $role, [
  177.                     'source' => strtolower($params['source']),
  178.                     'active' => true,
  179.                 ]);
  180.             }
  181.             $params['role'] = 4;
  182.             $params['mailboxEmail'] = current($params['replyTo']); 
  183.             $params['customer'] = $params['user'] = $user;
  184.             return $this->createTicketBase($params);
  185.         }
  186.         return;
  187.     }
  188.     public function getDemanedFilterOptions($filterType,$ids) {
  189.         $qb $this->entityManager->createQueryBuilder();
  190.         switch ($filterType) {
  191.             case 'agent':
  192.                 $qb->select("u.id,u.email,CONCAT(u.firstName,' ', u.lastName) AS name")->from(User::class, 'u')
  193.                         ->leftJoin(UserInstance::class, 'ud''WITH''u.id = ud.user')
  194.                         ->where('ud.supportRole != :roles')
  195.                         ->andwhere('ud.isActive = 1')
  196.                         ->andwhere('u.id IN (:ids)')
  197.                         ->setParameter('roles'4)
  198.                         ->setParameter('ids'$ids)
  199.                         ->orderBy('name','ASC');
  200.                 return $qb->getQuery()->getArrayResult();
  201.             case 'customer':
  202.                 $qb->select("c.id,c.email,CONCAT(c.firstName,' ', c.lastName) AS name")->from(User::class, 'c')
  203.                         ->leftJoin(UserInstance::class, 'ud''WITH''c.id = ud.user')
  204.                         ->where('ud.supportRole = :roles')
  205.                         ->andwhere('ud.isActive = 1')
  206.                         ->andwhere('c.id IN (:ids)')
  207.                         ->setParameter('roles'4)
  208.                         ->setParameter('ids'$ids)
  209.                         ->orderBy('name','ASC');
  210.                 return $qb->getQuery()->getArrayResult();
  211.             case 'group':
  212.                 $qb->select("ug.id,ug.description")->from(SupportGroup::class, 'ug')
  213.                         ->andwhere('ug.isEnabled = 1')
  214.                         ->andwhere('ug.id IN (:ids)')
  215.                         ->setParameter('ids'$ids)
  216.                         ->orderBy('ug.description','ASC');
  217.                 return $qb->getQuery()->getArrayResult();
  218.             case 'team':
  219.                 $qb->select("usg.id,usg.description")->from(SupportTeam::class, 'usg')
  220.                         ->andwhere('usg.isActive = 1')
  221.                         ->andwhere('usg.id IN (:ids)')
  222.                         ->setParameter('ids'$ids)
  223.                         ->orderBy('usg.description','ASC');
  224.                 return $qb->getQuery()->getArrayResult();
  225.             case 'tag':
  226.                 $qb->select("t.id,t.name")->from(Tag::class, 't')
  227.                         ->andwhere('t.id IN (:ids)')
  228.                         ->setParameter('ids'$ids)
  229.                         ->orderBy('t.name','ASC');
  230.                 return $qb->getQuery()->getArrayResult();
  231.         }
  232.     }
  233.     public function createTicketBase(array $ticketData = [])
  234.     {
  235.         if ('email' == $ticketData['source']) {
  236.             try {
  237.                 if (array_key_exists('UVDeskMailboxBundle'$this->container->getParameter('kernel.bundles'))) {
  238.                     $mailbox $this->mailboxService->getMailboxByEmail($ticketData['mailboxEmail']);
  239.                     $ticketData['mailboxEmail'] = $mailbox['email'];
  240.                 }
  241.             } catch (\Exception $e) {
  242.                 // No mailbox found for this email. Skip ticket creation.
  243.                 return;
  244.             }
  245.         }
  246.         // Set Defaults
  247.         $ticketType = !empty($ticketData['type']) ? $ticketData['type'] : $this->getDefaultType();
  248.         $ticketStatus = !empty($ticketData['status']) ? $ticketData['status'] : $this->getDefaultStatus();
  249.         $ticketPriority = !empty($ticketData['priority']) ? $ticketData['priority'] : $this->getDefaultPriority();
  250.         if ('email' == $ticketData['source']) {
  251.             $ticketMessageId = !empty($ticketData['messageId']) ? $ticketData['messageId'] : null;
  252.         } else {
  253.             $ticketMessageId $this->generateRandomEmailReferenceId();
  254.         }
  255.         $ticketData['type'] = $ticketType;
  256.         $ticketData['status'] = $ticketStatus;
  257.         $ticketData['priority'] = $ticketPriority;
  258.         $ticketData['messageId'] = $ticketMessageId;
  259.         $ticketData['isTrashed'] = false;
  260.         $ticket = new Ticket();
  261.         foreach ($ticketData as $property => $value) {
  262.             $callable 'set' ucwords($property);
  263.             if (method_exists($ticket$callable)) {
  264.                 $ticket->$callable($value);
  265.             }
  266.         }
  267.         $this->entityManager->persist($ticket);
  268.         $this->entityManager->flush();
  269.         return $this->createThread($ticket$ticketData);
  270.     }
  271.     
  272.     public function createThread(Ticket $ticket, array $threadData)
  273.     {
  274.         $threadData['isLocked'] = 0;
  275.       
  276.         if ('forward' === $threadData['threadType']) {
  277.             $threadData['replyTo'] = $threadData['to'];
  278.         }
  279.         $collaboratorEmails = [];
  280.         // check if $threadData['cc'] is not empty then merge it with $collaboratorEmails
  281.         if (! empty($threadData['cc'])) {
  282.             if (! is_array($threadData['cc'])) {
  283.                 $threadData['cc'] = [$threadData['cc']];
  284.             }
  285.             $collaboratorEmails array_merge($collaboratorEmails$threadData['cc']);
  286.         }
  287.         // check if $threadData['cccol'] is not empty
  288.         if (! empty($threadData['cccol'])) {
  289.             if (! is_array($threadData['cccol'])) {
  290.                 $threadData['cccol'] = [$threadData['cccol']];
  291.             }
  292.             $collaboratorEmails array_merge($collaboratorEmails$threadData['cccol']);
  293.         }
  294.         if (! empty($collaboratorEmails)) {
  295.             $threadData['cc'] = $collaboratorEmails;
  296.         }
  297.         $thread = new Thread();
  298.         $thread->setTicket($ticket);
  299.         $thread->setCreatedAt(new \DateTime());
  300.         $thread->setUpdatedAt(new \DateTime());
  301.         if ($threadData['threadType'] != "note") {
  302.             foreach ($threadData as $property => $value) {
  303.                 if (!empty($value)) {
  304.                     $callable 'set' ucwords($property);
  305.                     if (method_exists($thread$callable)) {
  306.                         $thread->$callable($value);
  307.                     }
  308.                 }
  309.             }
  310.         } else {
  311.             $this->setTicketNotePlaceholderValue($thread$threadData$ticket);
  312.         }
  313.         // Update ticket reference ids is thread message id is defined
  314.         if (null != $thread->getMessageId() && false === strpos($ticket->getReferenceIds(), $thread->getMessageId())) {
  315.             $updatedReferenceIds $ticket->getReferenceIds() . ' ' $thread->getMessageId();            
  316.             $ticket->setReferenceIds($updatedReferenceIds);
  317.             $this->entityManager->persist($ticket);
  318.         }
  319.         if ('reply' === $threadData['threadType']) {
  320.             if ('agent' === $threadData['createdBy']) {
  321.                 // Ticket has been updated by support agents, mark as agent replied | customer view pending
  322.                 $ticket->setIsCustomerViewed(false);
  323.                 $ticket->setIsReplied(true);
  324.                 $customerName $ticket->getCustomer()->getFirstName().' '.$ticket->getCustomer()->getLastName();
  325.                 $agentActivity = new AgentActivity();
  326.                 $agentActivity->setThreadType('reply');
  327.                 $agentActivity->setTicket($ticket);
  328.                 $agentActivity->setAgent($thread->getUser());
  329.                 $agentActivity->setCustomerName($customerName);
  330.                 $agentActivity->setAgentName('agent');
  331.                 $agentActivity->setCreatedAt(new \DateTime());
  332.                 $this->entityManager->persist($agentActivity);
  333.             } else {
  334.                 // Ticket has been updated by customer, mark as agent view | reply pending
  335.                 $ticket->setIsAgentViewed(false);
  336.                 $ticket->setIsReplied(false);
  337.             }
  338.             $this->entityManager->persist($ticket);
  339.         } else if ('create' === $threadData['threadType']) {
  340.             $ticket->setIsReplied(false);
  341.             $this->entityManager->persist($ticket);
  342.             $customerName $ticket->getCustomer()->getFirstName().' '.$ticket->getCustomer()->getLastName();
  343.             $agentActivity = new AgentActivity();
  344.             $agentActivity->setThreadType('create');
  345.             $agentActivity->setTicket($ticket);
  346.             $agentActivity->setAgent($thread->getUser());
  347.             $agentActivity->setCustomerName($customerName );
  348.             $agentActivity->setAgentName('agent');
  349.             $agentActivity->setCreatedAt(new \DateTime());
  350.             $this->entityManager->persist($agentActivity);
  351.         }
  352.         
  353.         $ticket->currentThread $this->entityManager->getRepository(Thread::class)->getTicketCurrentThread($ticket);
  354.         
  355.         $this->entityManager->persist($thread);
  356.         $this->entityManager->flush();
  357.         
  358.         $ticket->createdThread $thread;
  359.         // Uploading Attachments.
  360.         if (
  361.             (isset($threadData['attachments']) && ! empty($threadData['attachments'])) || (isset($threadData['attachmentContent']) && ! empty($threadData['attachmentContent']))
  362.         ) {
  363.             if ('email' == $threadData['source']) {
  364.                 // Saving Email attachments in case of outlook with $threadData['attachmentContent']
  365.                 $this->saveThreadEmailAttachments($thread$threadData['attachments'], $threadData['attachmentContent'] ?? []);
  366.             } else if (!empty($threadData['attachments'])) {
  367.                 $this->saveThreadAttachment($thread$threadData['attachments']);
  368.             }
  369.         }
  370.         return $thread;
  371.     }
  372.     public function setTicketNotePlaceholderValue($thread$threadData$ticket)
  373.     {
  374.         if (!empty($threadData)) {
  375.             foreach ($threadData as $property => $value) {
  376.                 if (!empty($value)) {
  377.                     $callable 'set' ucwords($property);
  378.                     if (method_exists($thread$callable)) {
  379.                         if($callable != "setMessage") {
  380.                             $thread->$callable($value);
  381.                         } else {
  382.                             $notesPlaceholders $this->getNotePlaceholderValues($ticket'customer');
  383.                             $content $value;
  384.                             foreach ($notesPlaceholders as $key => $val) {
  385.                                 if(strpos($value"{%$key%}") !== false){
  386.                                     $content strtr($value, ["{%$key%}" => $val"{% $key %}" => $val]);
  387.                                 }
  388.                             }
  389.                             
  390.                             $content stripslashes($content);
  391.                             $thread->$callable($content);
  392.                         }
  393.                     }
  394.                 }
  395.             }
  396.         }
  397.     }
  398.     public function saveThreadAttachment($thread, array $attachments)
  399.     {
  400.         $prefix 'threads/' $thread->getId();
  401.         $uploadManager $this->container->get('uvdesk.core.file_system.service')->getUploadManager();
  402.         foreach ($attachments as $attachment) {
  403.             $uploadedFileAttributes $uploadManager->uploadFile($attachment$prefix);
  404.             if (!empty($uploadedFileAttributes['path'])) {
  405.                 ($threadAttachment = new Attachment())
  406.                     ->setThread($thread)
  407.                     ->setName($uploadedFileAttributes['name'])
  408.                     ->setPath($uploadedFileAttributes['path'])
  409.                     ->setSize($uploadedFileAttributes['size'])
  410.                     ->setContentType($uploadedFileAttributes['content-type']);
  411.                 
  412.                 $this->entityManager->persist($threadAttachment);
  413.             }
  414.         }
  415.         $this->entityManager->flush();
  416.     }
  417.     public function saveThreadEmailAttachments($thread, array $attachments, array $attachmentContents)
  418.     {
  419.         $prefix 'threads/' $thread->getId();
  420.         $uploadManager $this->container->get('uvdesk.core.file_system.service')->getUploadManager();
  421.         
  422.         // Upload thread attachments
  423.         foreach ($attachments as $attachment) {
  424.             $uploadedFileAttributes $uploadManager->uploadEmailAttachment($attachment$prefix);
  425.             
  426.             if (!empty($uploadedFileAttributes['path'])) {
  427.                 ($threadAttachment = new Attachment())
  428.                     ->setThread($thread)
  429.                     ->setName($uploadedFileAttributes['name'])
  430.                     ->setPath($uploadedFileAttributes['path'])
  431.                     ->setSize($uploadedFileAttributes['size'])
  432.                     ->setContentType($uploadedFileAttributes['content-type']);
  433.                 
  434.                 $this->entityManager->persist($threadAttachment);
  435.             }
  436.         }
  437.         // Microsoft 365 Attachments.
  438.         $prefixOutlook 'public/assets/threads/'$thread->getId(). '/';
  439.         foreach ($attachmentContents as $attachmentContent) {
  440.             $decodedData base64_decode(preg_replace('#^data:image/\w+;base64,#i'''$attachmentContent['content']));
  441.             
  442.             $filePath $prefixOutlook $attachmentContent['name'];
  443.             if (! is_dir($prefixOutlook)) {
  444.                 mkdir($prefixOutlook0755true);
  445.             }
  446.     
  447.             // Save attachment content to file
  448.             if (file_put_contents($filePath$decodedData) === false) {
  449.                 error_log("Error: Failed to save attachment to $filePath");
  450.             }
  451.             if (! empty($filePath)) {
  452.                 ($threadAttachment = new Attachment())
  453.                     ->setThread($thread)
  454.                     ->setName($attachmentContent['name'])
  455.                     ->setPath(str_replace('public/''' $filePath))
  456.                     ->setSize(23343)
  457.                     ->setContentType($attachmentContent['mimeType']);
  458.                 $this->entityManager->persist($threadAttachment);
  459.             }
  460.             $this->entityManager->flush();
  461.         }
  462.     }
  463.     public function getTypes()
  464.     {
  465.         static $types;
  466.         if (null !== $types)
  467.             return $types;
  468.         $qb $this->entityManager->createQueryBuilder();
  469.         $qb->select('tp.id','tp.code As name')->from(TicketType::class, 'tp')
  470.                 ->andWhere('tp.isActive = 1')
  471.                 ->orderBy('tp.code''ASC');
  472.         return $types $qb->getQuery()->getArrayResult();
  473.     }
  474.     public function getStatus()
  475.     {
  476.         static $statuses;
  477.         if (null !== $statuses)
  478.             return $statuses;
  479.         $qb $this->entityManager->createQueryBuilder();
  480.         $qb->select('ts')->from(TicketStatus::class, 'ts');
  481.         // $qb->orderBy('ts.sortOrder', Criteria::ASC);
  482.         return $statuses $qb->getQuery()->getArrayResult();
  483.     }
  484.     public function getTicketTotalThreads($ticketId)
  485.     {
  486.         $qb $this->entityManager->createQueryBuilder();
  487.         $qb->select('COUNT(th.id) as threadCount')->from(Ticket::class, 't')
  488.             ->leftJoin('t.threads''th')
  489.             ->andWhere('t.id = :ticketId')
  490.             ->andWhere('th.threadType = :threadType')
  491.             ->setParameter('threadType','reply')
  492.             ->setParameter('ticketId'$ticketId);
  493.         $qb $this->entityManager->createQueryBuilder();
  494.         $qb->select('COUNT(t.id) as threadCount')->from(Thread::class, 't')
  495.             ->andWhere('t.ticket = :ticketId')
  496.             ->andWhere('t.threadType = :threadType')
  497.             ->setParameter('threadType','reply')
  498.             ->setParameter('ticketId'$ticketId);
  499.         return $qb->getQuery()->getSingleScalarResult();
  500.     }
  501.     public function getTicketTags($request null)
  502.     {
  503.         $qb $this->entityManager->createQueryBuilder();
  504.         $qb->select('tg')->from(Tag::class, 'tg');
  505.         if($request) {
  506.             $qb->andWhere("tg.name LIKE :tagName");
  507.             $qb->setParameter('tagName''%'.urldecode(trim($request->query->get('query'))).'%');
  508.             $qb->andWhere("tg.id NOT IN (:ids)");
  509.             $qb->setParameter('ids'explode(',',urldecode($request->query->get('not'))));
  510.         }
  511.         return $qb->getQuery()->getArrayResult();
  512.     }
  513.     
  514.     public function paginateMembersTicketCollection(Request $request)
  515.     {
  516.         $params $request->query->all();
  517.         $activeUser $this->container->get('user.service')->getSessionUser();
  518.         $activeUserTimeZone $this->entityManager->getRepository(Website::class)->findOneBy(['code' => 'Knowledgebase']);
  519.         $agentTimeZone = !empty($activeUser->getTimezone()) ? $activeUser->getTimezone() : $activeUserTimeZone->getTimezone();
  520.         $agentTimeFormat = !empty($activeUser->getTimeformat()) ? $activeUser->getTimeformat() : $activeUserTimeZone->getTimeformat();
  521.         $ticketRepository $this->entityManager->getRepository(Ticket::class);
  522.         $website $this->entityManager->getRepository(Website::class)->findOneBy(['code' => 'helpdesk']);
  523.         $timeZone $website->getTimezone();
  524.         $timeFormat $website->getTimeformat();
  525.         $supportGroupReference $this->entityManager->getRepository(User::class)->getUserSupportGroupReferences($activeUser);
  526.         $supportTeamReference  $this->entityManager->getRepository(User::class)->getUserSupportTeamReferences($activeUser);
  527.         // Get base query
  528.         $baseQuery $ticketRepository->prepareBaseTicketQuery($activeUser$supportGroupReference$supportTeamReference$params);
  529.         $ticketTabs $ticketRepository->getTicketTabDetails($activeUser$supportGroupReference$supportTeamReference$params);
  530.         // Apply Pagination
  531.         $pageNumber = !empty($params['page']) ? (int) $params['page'] : 1;
  532.         $itemsLimit = !empty($params['limit']) ? (int) $params['limit'] : $ticketRepository::DEFAULT_PAGINATION_LIMIT;
  533.         if (isset($params['repliesLess']) || isset($params['repliesMore'])) {
  534.             $paginationOptions = ['wrap-queries' => true];
  535.             $paginationQuery $baseQuery->getQuery()
  536.                 ->setHydrationMode(Query::HYDRATE_ARRAY);
  537.         } else {
  538.             $paginationOptions = ['distinct' => true];
  539.             $paginationQuery $baseQuery->getQuery()
  540.                 ->setHydrationMode(Query::HYDRATE_ARRAY)
  541.                 ->setHint('knp_paginator.count', isset($params['status']) ? $ticketTabs[$params['status']] : $ticketTabs[1]);
  542.         }
  543.         $pagination $this->container->get('knp_paginator')->paginate($paginationQuery$pageNumber$itemsLimit$paginationOptions);
  544.         // Process Pagination Response
  545.         $ticketCollection = [];
  546.         $paginationParams $pagination->getParams();
  547.         $paginationData $pagination->getPaginationData();
  548.         $paginationParams['page'] = 'replacePage';
  549.         $paginationData['url'] = '#' $this->container->get('uvdesk.service')->buildPaginationQuery($paginationParams);
  550.         // $container->get('default.service')->buildSessionUrl('ticket',$queryParameters);
  551.         $ticketThreadCountQueryTemplate $this->entityManager->createQueryBuilder()
  552.             ->select('COUNT(thread.id) as threadCount')
  553.             ->from(Ticket::class, 'ticket')
  554.             ->leftJoin('ticket.threads''thread')
  555.             ->where('ticket.id = :ticketId')
  556.             ->andWhere('thread.threadType = :threadType')->setParameter('threadType''reply');
  557.         
  558.         foreach ($pagination->getItems() as $ticketDetails) {
  559.             $ticket array_shift($ticketDetails);
  560.             $ticketThreadCountQuery = clone $ticketThreadCountQueryTemplate;
  561.             $ticketThreadCountQuery->setParameter('ticketId'$ticket['id']);
  562.             $totalTicketReplies = (int) $ticketThreadCountQuery->getQuery()->getSingleScalarResult();
  563.             $ticketHasAttachments false;
  564.             $dbTime $ticket['createdAt'];
  565.             
  566.             $formattedTime$this->fomatTimeByPreference($dbTime,$timeZone,$timeFormat,$agentTimeZone,$agentTimeFormat);
  567.             $currentDateTime  = new \DateTime('now');
  568.             if ($this->getLastReply($ticket['id'])) {
  569.                 $lastRepliedTime 
  570.                 $this->time2string($currentDateTime->getTimeStamp() - $this->getLastReply($ticket['id'])['createdAt']->getTimeStamp());
  571.             } else {
  572.                 $lastRepliedTime 
  573.                 $this->time2string($currentDateTime->getTimeStamp() - $ticket['createdAt']->getTimeStamp());
  574.             }
  575.             $ticketResponse = [
  576.                 'id'                => $ticket['id'],
  577.                 'subject'           => $ticket['subject'],
  578.                 'isStarred'         => $ticket['isStarred'],
  579.                 'isAgentView'       => $ticket['isAgentViewed'],
  580.                 'isTrashed'         => $ticket['isTrashed'],
  581.                 'source'            => $ticket['source'],
  582.                 'group'             => $ticketDetails['groupName'],
  583.                 'team'              => $ticketDetails['teamName'],
  584.                 'priority'          => $ticket['priority'],
  585.                 'type'              => $ticketDetails['typeName'],
  586.                 'timestamp'         => $formattedTime['dateTimeZone'],
  587.                 'formatedCreatedAt' => $formattedTime['dateTimeZone']->format($formattedTime['timeFormatString']),
  588.                 'totalThreads'      => $totalTicketReplies,
  589.                 'agent'             => null,
  590.                 'customer'          => null,
  591.                 'hasAttachments'    => $ticketHasAttachments,
  592.                 'lastReplyTime'     => $lastRepliedTime
  593.             ];
  594.            
  595.             if (!empty($ticketDetails['agentId'])) {
  596.                 $ticketResponse['agent'] = [
  597.                     'id' => $ticketDetails['agentId'],
  598.                     'name' => $ticketDetails['agentName'],
  599.                     'smallThumbnail' => $ticketDetails['smallThumbnail'],
  600.                 ];
  601.             }
  602.             if (!empty($ticketDetails['customerId'])) {
  603.                 $ticketResponse['customer'] = [
  604.                     'id'             => $ticketDetails['customerId'],
  605.                     'name'           => $ticketDetails['customerName'],
  606.                     'email'          => $ticketDetails['customerEmail'],
  607.                     'smallThumbnail' => $ticketDetails['customersmallThumbnail'],
  608.                 ];
  609.             }
  610.             array_push($ticketCollection$ticketResponse);
  611.         }
  612.          
  613.         return [
  614.             'tickets'    => $ticketCollection,
  615.             'pagination' => $paginationData,
  616.             'tabs'       => $ticketTabs,
  617.             'labels' => [
  618.                 'predefind' => $this->getPredefindLabelDetails($activeUser$supportGroupReference$supportTeamReference$params),
  619.                 'custom'    => $this->getCustomLabelDetails($this->container),
  620.             ],
  621.           
  622.         ];
  623.     }
  624.     // Convert Timestamp to day/hour/min
  625.     Public function time2string($time) {
  626.         $d floor($time/86400);
  627.         $_d = ($d 10 '0' '').$d;
  628.         $h floor(($time-$d*86400)/3600);
  629.         $_h = ($h 10 '0' '').$h;
  630.         $m floor(($time-($d*86400+$h*3600))/60);
  631.         $_m = ($m 10 '0' '').$m;
  632.         $s $time-($d*86400+$h*3600+$m*60);
  633.         $_s = ($s 10 '0' '').$s;
  634.         $time_str "0 minutes";
  635.         if ($_d != 00)
  636.             $time_str $_d." ".'days';
  637.         elseif ($_h != 00)
  638.             $time_str $_h." ".'hours';
  639.         elseif ($_m != 00)
  640.             $time_str $_m." ".'minutes';
  641.         return $time_str." "."ago";
  642.     }
  643.     public function getPredefindLabelDetails(User $currentUser, array $supportGroupIds = [], array $supportTeamIds = [], array $params = [])
  644.     {
  645.         $data = array();
  646.         $queryBuilder $this->entityManager->createQueryBuilder();
  647.         $ticketRepository $this->entityManager->getRepository(Ticket::class);
  648.         $queryBuilder->select('COUNT(DISTINCT ticket.id) as ticketCount')->from(Ticket::class, 'ticket');
  649.             
  650.         // // applyFilter according to permission
  651.         $queryBuilder->where('ticket.isTrashed != 1');
  652.         $userInstance $currentUser->getAgentInstance();
  653.         if (!empty($userInstance) &&  'ROLE_AGENT' == $userInstance->getSupportRole()->getCode() 
  654.         && $userInstance->getTicketAccesslevel() != 1) {
  655.             $supportGroupIds implode(','$supportGroupIds);
  656.             $supportTeamIds implode(','$supportTeamIds);
  657.             if ($userInstance->getTicketAccesslevel() == 4) {
  658.                 $queryBuilder->andWhere('ticket.agent = ' $currentUser->getId());
  659.             } elseif ($userInstance->getTicketAccesslevel() == 2) {
  660.                 $query '';
  661.                 if ($supportGroupIds){
  662.                     $query .= ' OR supportGroup.id IN('.$supportGroupIds.') ';
  663.                 }
  664.                 if ($supportTeamIds) {
  665.                     $query .= ' OR supportTeam.id IN('.$supportTeamIds.') ';
  666.                 }
  667.                 $queryBuilder->leftJoin('ticket.supportGroup''supportGroup')
  668.                             ->leftJoin('ticket.supportTeam''supportTeam')
  669.                             ->andWhere('( ticket.agent = ' $currentUser->getId().$query.')');
  670.                     
  671.             } elseif ($userInstance->getTicketAccesslevel() == 3) {
  672.                 $query '';
  673.                 if ($supportTeamIds) {
  674.                     $query .= ' OR supportTeam.id IN('.$supportTeamIds.') ';
  675.                 }
  676.                 $queryBuilder->leftJoin('ticket.supportGroup''supportGroup')
  677.                             ->leftJoin('ticket.supportTeam''supportTeam')
  678.                             ->andWhere('( ticket.agent = ' $currentUser->getId().$query')');
  679.             }
  680.         }
  681.         // for all tickets count
  682.         $data['all'] = $queryBuilder->getQuery()->getSingleScalarResult();
  683.         // for new tickets count
  684.         $newQb = clone $queryBuilder;
  685.         $newQb->andWhere('ticket.isNew = 1');
  686.         $data['new'] = $newQb->getQuery()->getSingleScalarResult();
  687.         // for unassigned tickets count
  688.         $unassignedQb = clone $queryBuilder;
  689.         $unassignedQb->andWhere("ticket.agent is NULL");
  690.         $data['unassigned'] = $unassignedQb->getQuery()->getSingleScalarResult();
  691.         // for unanswered ticket count
  692.         $unansweredQb = clone $queryBuilder;
  693.         $unansweredQb->andWhere('ticket.isReplied = 0');
  694.         $data['notreplied'] = $unansweredQb->getQuery()->getSingleScalarResult();
  695.         // for my tickets count
  696.         $mineQb = clone $queryBuilder;
  697.         $mineQb->andWhere("ticket.agent = :agentId")
  698.                 ->setParameter('agentId'$currentUser->getId());
  699.         $data['mine'] = $mineQb->getQuery()->getSingleScalarResult();
  700.         // for starred tickets count
  701.         $starredQb = clone $queryBuilder;
  702.         $starredQb->andWhere('ticket.isStarred = 1');
  703.         $data['starred'] = $starredQb->getQuery()->getSingleScalarResult();
  704.         // for trashed tickets count
  705.         $trashedQb = clone $queryBuilder;
  706.         $trashedQb->where('ticket.isTrashed = 1');
  707.         if ($currentUser->getRoles()[0] != 'ROLE_SUPER_ADMIN' && $userInstance->getTicketAccesslevel() != 1) {
  708.             $trashedQb->andWhere('ticket.agent = ' $currentUser->getId());
  709.         }
  710.         $data['trashed'] = $trashedQb->getQuery()->getSingleScalarResult();
  711.         return $data;
  712.     }
  713.     
  714.     public function paginateMembersTicketThreadCollection(Ticket $ticketRequest $request)
  715.     {
  716.         $params $request->query->all();
  717.         $entityManager $this->entityManager;
  718.         $activeUser $this->container->get('user.service')->getSessionUser();
  719.         $activeUserTimeZone $this->entityManager->getRepository(Website::class)->findOneBy(['code' => 'Knowledgebase']);
  720.         $agentTimeZone = !empty($activeUser->getTimezone()) ? $activeUser->getTimezone() : $activeUserTimeZone->getTimezone();
  721.         $agentTimeFormat = !empty($activeUser->getTimeformat()) ? $activeUser->getTimeformat() : $activeUserTimeZone->getTimeformat();
  722.         
  723.         $threadRepository $entityManager->getRepository(Thread::class);
  724.         $uvdeskFileSystemService $this->container->get('uvdesk.core.file_system.service');
  725.         // Get base query
  726.         $enableLockedThreads $this->container->get('user.service')->isAccessAuthorized('ROLE_AGENT_MANAGE_LOCK_AND_UNLOCK_THREAD');
  727.         $baseQuery $threadRepository->prepareBasePaginationRecentThreadsQuery($ticket$params$enableLockedThreads);
  728.         
  729.         // Apply Pagination
  730.         $paginationItemsQuery = clone $baseQuery;
  731.         $totalPaginationItems $paginationItemsQuery->select('COUNT(DISTINCT thread.id)')->getQuery()->getSingleScalarResult();
  732.         
  733.         $pageNumber = !empty($params['page']) ? (int) $params['page'] : 1;
  734.         $itemsLimit = !empty($params['limit']) ? (int) $params['limit'] : $threadRepository::DEFAULT_PAGINATION_LIMIT;
  735.         
  736.         $paginationOptions = ['distinct' => true];
  737.         $paginationQuery $baseQuery->getQuery()->setHydrationMode(Query::HYDRATE_ARRAY)->setHint('knp_paginator.count', (int) $totalPaginationItems);
  738.         $pagination $this->container->get('knp_paginator')->paginate($paginationQuery$pageNumber$itemsLimit$paginationOptions);
  739.         // Process Pagination Response
  740.         $threadCollection = [];
  741.         $paginationParams $pagination->getParams();
  742.         $paginationData $pagination->getPaginationData();
  743.         $website $this->entityManager->getRepository(Website::class)->findOneBy(['code' => 'helpdesk']);
  744.         $timeZone $website->getTimezone();
  745.         $timeFormat $website->getTimeformat();
  746.         if (!empty($params['threadRequestedId'])) {
  747.             $requestedThreadCollection $baseQuery
  748.                 ->andWhere('thread.id >= :threadRequestedId')->setParameter('threadRequestedId', (int) $params['threadRequestedId'])
  749.                 ->getQuery()->getArrayResult();
  750.             
  751.             $totalRequestedThreads count($requestedThreadCollection);
  752.             $paginationData['current'] = ceil($totalRequestedThreads $threadRepository::DEFAULT_PAGINATION_LIMIT);
  753.             if ($paginationData['current'] > 1) {
  754.                 $paginationData['firstItemNumber'] = 1;
  755.                 $paginationData['lastItemNumber'] = $totalRequestedThreads;
  756.                 $paginationData['next'] = ceil(($totalRequestedThreads 1) / $threadRepository::DEFAULT_PAGINATION_LIMIT);
  757.             }
  758.         }
  759.         $paginationParams['page'] = 'replacePage';
  760.         $paginationData['url'] = '#' $this->container->get('uvdesk.service')->buildPaginationQuery($paginationParams);
  761.         foreach ($pagination->getItems() as $threadDetails) {
  762.             $dbTime $threadDetails['createdAt'];
  763.             $formattedTime $this->fomatTimeByPreference($dbTime,$timeZone,$timeFormat,$agentTimeZone,$agentTimeFormat);
  764.             $threadResponse = [
  765.                 'id'                => $threadDetails['id'],
  766.                 'user'              => null,
  767.                 'fullname'          => null,
  768.                 'reply'             => html_entity_decode($threadDetails['message']),
  769.                 'source'            => $threadDetails['source'],
  770.                 'threadType'        => $threadDetails['threadType'],
  771.                 'userType'          => $threadDetails['createdBy'],
  772.                 'timestamp'         => $formattedTime['dateTimeZone'],
  773.                 'formatedCreatedAt' => $formattedTime['dateTimeZone']->format($formattedTime['timeFormatString']),
  774.                 'bookmark'          => $threadDetails['isBookmarked'],
  775.                 'isLocked'          => $threadDetails['isLocked'],
  776.                 'replyTo'           => $threadDetails['replyTo'],
  777.                 'cc'                => $threadDetails['cc'],
  778.                 'bcc'               => $threadDetails['bcc'],
  779.                 'attachments'       => $threadDetails['attachments'],
  780.             ];
  781.   
  782.             if (!empty($threadDetails['user'])) {
  783.                 $threadResponse['fullname'] = trim($threadDetails['user']['firstName'] . ' ' $threadDetails['user']['lastName']);
  784.                 $threadResponse['user'] = [
  785.                     'id' => $threadDetails['user']['id'],
  786.                     'smallThumbnail' => $threadDetails['user']['userInstance'][0]['profileImagePath'],
  787.                     'name' => $threadResponse['fullname'],
  788.                 ];
  789.             }
  790.             if (!empty($threadResponse['attachments'])) {
  791.                 $threadResponse['attachments'] = array_map(function ($attachment) use ($entityManager$uvdeskFileSystemService) {
  792.                     $attachmentReferenceObject $entityManager->getReference(Attachment::class, $attachment['id']);
  793.                     return $uvdeskFileSystemService->getFileTypeAssociations($attachmentReferenceObject);
  794.                 }, $threadResponse['attachments']);
  795.             }
  796.             array_push($threadCollection$threadResponse);
  797.         }
  798.         return [
  799.             'threads'    => $threadCollection,
  800.             'pagination' => $paginationData,
  801.         ];
  802.     }
  803.     public function massXhrUpdate(Request $request)
  804.     {
  805.         $params $request->request->get('data');
  806.         foreach ($params['ids'] as $ticketId) {
  807.             $ticket $this->entityManager->getRepository(Ticket::class)->find($ticketId);
  808.             if (false == $this->isTicketAccessGranted($ticket)) {
  809.                 throw new \Exception('Access Denied'403);
  810.             }
  811.             
  812.             if (empty($ticket)) {
  813.                 continue;
  814.             }
  815.             switch ($params['actionType']) {
  816.                 case 'trashed':
  817.                     if (false == $ticket->getIsTrashed()) {
  818.                         $ticket->setIsTrashed(true);
  819.                         
  820.                         $this->entityManager->persist($ticket);
  821.                     }
  822.                     // Trigger ticket delete event
  823.                     $event = new CoreWorkflowEvents\Ticket\Delete();
  824.                     $event
  825.                         ->setTicket($ticket)
  826.                     ;
  827.                     $this->container->get('event_dispatcher')->dispatch($event'uvdesk.automation.workflow.execute');
  828.                     break;
  829.                 case 'delete':
  830.                     $threads $ticket->getThreads();
  831.                     $fileService = new Filesystem();
  832.                     if (count($threads) > 0) {
  833.                         foreach($threads as $thread) {
  834.                             if (!empty($thread)) {
  835.                                 $fileService->remove($this->container->getParameter('kernel.project_dir').'/public/assets/threads/'.$thread->getId());
  836.                             }
  837.                         }
  838.                     }
  839.                     $this->entityManager->remove($ticket);
  840.                     
  841.                     break;
  842.                 case 'restored':
  843.                     if (true == $ticket->getIsTrashed()) {
  844.                         $ticket->setIsTrashed(false);
  845.                         $this->entityManager->persist($ticket);
  846.                     }
  847.                     break;
  848.                 case 'agent':
  849.                     if ($ticket->getAgent() == null || $ticket->getAgent() && $ticket->getAgent()->getId() != $params['targetId']) {
  850.                         $agent $this->entityManager->getRepository(User::class)->find($params['targetId']);
  851.                         $ticket->setAgent($agent);
  852.     
  853.                         $this->entityManager->persist($ticket);
  854.     
  855.                         // Trigger Agent Assign event
  856.                         $event = new CoreWorkflowEvents\Ticket\Agent();
  857.                         $event
  858.                             ->setTicket($ticket)
  859.                         ;
  860.     
  861.                         $this->container->get('event_dispatcher')->dispatch($event'uvdesk.automation.workflow.execute');
  862.                     }
  863.                     break;
  864.                 case 'status':
  865.                     if ($ticket->getStatus() == null || $ticket->getStatus() && $ticket->getStatus()->getId() != $params['targetId']) {
  866.                         $status $this->entityManager->getRepository(TicketStatus::class)->findOneById($params['targetId']);
  867.                         $ticket->setStatus($status);
  868.                         $this->entityManager->persist($ticket);
  869.                         // Trigger ticket status event
  870.                         $event = new CoreWorkflowEvents\Ticket\Status();
  871.                         $event
  872.                             ->setTicket($ticket)
  873.                         ;
  874.                         
  875.                         $this->container->get('event_dispatcher')->dispatch($event'uvdesk.automation.workflow.execute');
  876.                     }
  877.                     
  878.                     break;
  879.                 case 'type':
  880.                     if ($ticket->getType() == null || $ticket->getType() && $ticket->getType()->getId() != $params['targetId']) {
  881.                         $type $this->entityManager->getRepository(TicketType::class)->findOneById($params['targetId']);
  882.                         $ticket->setType($type);
  883.     
  884.                         $this->entityManager->persist($ticket);
  885.     
  886.                         // Trigger ticket type event
  887.                         $event = new CoreWorkflowEvents\Ticket\Type();
  888.                         $event
  889.                             ->setTicket($ticket)
  890.                         ;
  891.     
  892.                         $this->container->get('event_dispatcher')->dispatch($event'uvdesk.automation.workflow.execute');
  893.                     }
  894.                     break;
  895.                 case 'group':
  896.                     if ($ticket->getSupportGroup() == null || $ticket->getSupportGroup() && $ticket->getSupportGroup()->getId() != $params['targetId']) {
  897.                         $group $this->entityManager->getRepository(SupportGroup::class)->find($params['targetId']);
  898.                         $ticket->setSupportGroup($group);
  899.     
  900.                         $this->entityManager->persist($ticket);
  901.     
  902.                         // Trigger Support group event
  903.                         $event = new CoreWorkflowEvents\Ticket\Group();
  904.                         $event
  905.                             ->setTicket($ticket)
  906.                         ;
  907.     
  908.                         $this->container->get('event_dispatcher')->dispatch($event'uvdesk.automation.workflow.execute');
  909.                     }
  910.                     break;
  911.                 case 'team':
  912.                     if ($ticket->getSupportTeam() == null || $ticket->getSupportTeam() && $ticket->getSupportTeam()->getId() != $params['targetId']){
  913.                         $team $this->entityManager->getRepository(SupportTeam::class)->find($params['targetId']);
  914.                         $ticket->setSupportTeam($team);
  915.                         
  916.                         $this->entityManager->persist($ticket);
  917.         
  918.                         // Trigger team event
  919.                         $event = new CoreWorkflowEvents\Ticket\Team();
  920.                         $event
  921.                             ->setTicket($ticket)
  922.                         ;
  923.         
  924.                         $this->container->get('event_dispatcher')->dispatch($event'uvdesk.automation.workflow.execute');
  925.                     }
  926.                     break;
  927.                 case 'priority':
  928.                     if ($ticket->getPriority() == null || $ticket->getPriority() && $ticket->getPriority()->getId() != $params['targetId']) {
  929.                         
  930.                         $priority $this->entityManager->getRepository(TicketPriority::class)->find($params['targetId']);
  931.                         $ticket->setPriority($priority);
  932.     
  933.                         $this->entityManager->persist($ticket);
  934.     
  935.                         // Trigger ticket Priority event
  936.                         $event = new CoreWorkflowEvents\Ticket\Priority();
  937.                         $event
  938.                             ->setTicket($ticket)
  939.                         ;
  940.     
  941.                         $this->container->get('event_dispatcher')->dispatch($event'uvdesk.automation.workflow.execute');
  942.                     }
  943.                     break;
  944.                 case 'label':
  945.                     $label $this->entityManager->getRepository(SupportLabel::class)->find($params['targetId']);
  946.                     
  947.                     if ($label && !$this->entityManager->getRepository(Ticket::class)->isLabelAlreadyAdded($ticket$label)) {
  948.                         $ticket->addSupportLabel($label);
  949.                     }
  950.                     
  951.                     $this->entityManager->persist($ticket);
  952.                     break;
  953.                 default:
  954.                     break;
  955.             }
  956.         } 
  957.         $this->entityManager->flush();
  958.         if ($params['actionType'] == 'trashed') {
  959.             $message 'Success ! Tickets moved to trashed successfully.';
  960.         } elseif ($params['actionType'] == 'restored') {
  961.             $message 'Success ! Tickets restored successfully.';
  962.         } elseif ($params['actionType'] == 'delete') {
  963.             $message 'Success ! Tickets removed successfully.';
  964.         } elseif ($params['actionType'] == 'agent'){
  965.             $message 'Success ! Agent assigned successfully.';
  966.         } elseif ($params['actionType'] == 'status'){
  967.             $message 'Success ! Tickets status updated successfully.';
  968.         } elseif ($params['actionType'] == 'type'){
  969.             $message 'Success ! Tickets type updated successfully.';
  970.         } elseif ($params['actionType'] == 'group'){
  971.             $message 'Success ! Tickets group updated successfully.';
  972.         } elseif ($params['actionType'] == 'team') {
  973.             $message 'Success ! Tickets team updated successfully.';
  974.         } elseif ($params['actionType'] == 'priority') {
  975.             $message 'Success ! Tickets priority updated successfully.';
  976.         } elseif ($params['actionType'] == 'label') {
  977.             $message 'Success ! Tickets added to label successfully.';  
  978.         } else {
  979.             $message 'Success ! Tickets have been updated successfully';
  980.         }
  981.         return [
  982.             'alertClass' => 'success',
  983.             'alertMessage' => $this->trans($message),
  984.         ];
  985.     }
  986.     
  987.     public function getNotePlaceholderValues($ticket$type "customer")
  988.     {
  989.         $variables = array();
  990.         $variables['ticket.id'] = $ticket->getId();
  991.         $variables['ticket.subject'] = $ticket->getSubject();
  992.         $variables['ticket.status'] = $ticket->getStatus()->getCode();
  993.         $variables['ticket.priority'] = $ticket->getPriority()->getCode();
  994.         if($ticket->getSupportGroup())
  995.             $variables['ticket.group'] = $ticket->getSupportGroup()->getName();
  996.         else
  997.             $variables['ticket.group'] = '';
  998.         $variables['ticket.team'] = ($ticket->getSupportTeam() ? $ticket->getSupportTeam()->getName() : '');
  999.         $customer $this->container->get('user.service')->getCustomerPartialDetailById($ticket->getCustomer()->getId());
  1000.         $variables['ticket.customerName'] = $customer['name'];
  1001.         $userService $this->container->get('user.service');
  1002.       
  1003.         $variables['ticket.agentName'] = '';
  1004.         $variables['ticket.agentEmail'] = '';
  1005.         if ($ticket->getAgent()) {
  1006.             $agent $this->container->get('user.service')->getAgentDetailById($ticket->getAgent()->getId());
  1007.             if($agent) {
  1008.                 $variables['ticket.agentName'] = $agent['name'];
  1009.                 $variables['ticket.agentEmail'] = $agent['email'];
  1010.             }
  1011.         }
  1012.         $router $this->container->get('router');
  1013.         if ($type == 'customer') {
  1014.             $ticketListURL $router->generate('helpdesk_member_ticket_collection', [
  1015.                 'id' => $ticket->getId(),
  1016.             ], UrlGeneratorInterface::ABSOLUTE_URL);
  1017.         } else {
  1018.             $ticketListURL $router->generate('helpdesk_customer_ticket_collection', [
  1019.                 'id' => $ticket->getId(),
  1020.             ], UrlGeneratorInterface::ABSOLUTE_URL);
  1021.         }
  1022.         $variables['ticket.link'] = sprintf("<a href='%s'>#%s</a>"$ticketListURL$ticket->getId());
  1023.         return $variables;
  1024.     }
  1025.     public function paginateMembersTicketTypeCollection(Request $request)
  1026.     {
  1027.         // Get base query
  1028.         $params $request->query->all();
  1029.         $ticketRepository $this->entityManager->getRepository(Ticket::class);
  1030.         $paginationQuery $ticketRepository->prepareBasePaginationTicketTypesQuery($params);
  1031.         // Apply Pagination
  1032.         $paginationOptions = ['distinct' => true];
  1033.         $pageNumber = !empty($params['page']) ? (int) $params['page'] : 1;
  1034.         $itemsLimit = !empty($params['limit']) ? (int) $params['limit'] : $ticketRepository::DEFAULT_PAGINATION_LIMIT;
  1035.         $pagination $this->container->get('knp_paginator')->paginate($paginationQuery$pageNumber$itemsLimit$paginationOptions);
  1036.         // Process Pagination Response
  1037.         $paginationParams $pagination->getParams();
  1038.         $paginationData $pagination->getPaginationData();
  1039.         $paginationParams['page'] = 'replacePage';
  1040.         $paginationData['url'] = '#' $this->container->get('uvdesk.service')->buildPaginationQuery($paginationParams);
  1041.         return [
  1042.             'types' => array_map(function ($ticketType) {
  1043.                 return [
  1044.                     'id' => $ticketType->getId(),
  1045.                     'code' => strtoupper($ticketType->getCode()),
  1046.                     'description' => $ticketType->getDescription(),
  1047.                     'isActive' => $ticketType->getIsActive(),
  1048.                 ];
  1049.             }, $pagination->getItems()),
  1050.             'pagination_data' => $paginationData,
  1051.         ];
  1052.     }
  1053.     public function paginateMembersTagCollection(Request $request)
  1054.     {
  1055.         // Get base query
  1056.         $params $request->query->all();
  1057.         $ticketRepository $this->entityManager->getRepository(Ticket::class);
  1058.         $baseQuery $ticketRepository->prepareBasePaginationTagsQuery($params);
  1059.         // Apply Pagination
  1060.         $paginationResultsQuery = clone $baseQuery;
  1061.         $paginationResultsQuery->select('COUNT(supportTag.id)');
  1062.         $paginationQuery $baseQuery->getQuery()->setHydrationMode(Query::HYDRATE_ARRAY)->setHint('knp_paginator.count'count($paginationResultsQuery->getQuery()->getResult()));
  1063.         $paginationOptions = ['distinct' => true];
  1064.         $pageNumber = !empty($params['page']) ? (int) $params['page'] : 1;
  1065.         $itemsLimit = !empty($params['limit']) ? (int) $params['limit'] : $ticketRepository::DEFAULT_PAGINATION_LIMIT;
  1066.         $pagination $this->container->get('knp_paginator')->paginate($paginationQuery$pageNumber$itemsLimit$paginationOptions);
  1067.         // Process Pagination Response
  1068.         $paginationParams $pagination->getParams();
  1069.         $paginationData $pagination->getPaginationData();
  1070.         $paginationParams['page'] = 'replacePage';
  1071.         $paginationData['url'] = '#' $this->container->get('uvdesk.service')->buildPaginationQuery($paginationParams);
  1072.         if (in_array('UVDeskSupportCenterBundle'array_keys($this->container->getParameter('kernel.bundles')))) {
  1073.             $articleRepository $this->entityManager->getRepository(Article::class);
  1074.             return [
  1075.                 'tags' => array_map(function ($supportTag) use ($articleRepository) {
  1076.                     return [
  1077.                         'id'           => $supportTag['id'],
  1078.                         'name'         => $supportTag['name'],
  1079.                         'ticketCount'  => $supportTag['totalTickets'],
  1080.                         'articleCount' => $articleRepository->getTotalArticlesBySupportTag($supportTag['id']),
  1081.                     ];
  1082.                 }, $pagination->getItems()),
  1083.                 'pagination_data' => $paginationData,
  1084.             ];
  1085.         } else {
  1086.             return [
  1087.                 'tags' => array_map(function ($supportTag) {
  1088.                     return [
  1089.                         'id'          => $supportTag['id'],
  1090.                         'name'        => $supportTag['name'],
  1091.                         'ticketCount' => $supportTag['totalTickets'],
  1092.                     ];
  1093.                 }, $pagination->getItems()),
  1094.                 'pagination_data' => $paginationData,
  1095.             ];
  1096.         }
  1097.     }
  1098.     public function getTicketInitialThreadDetails(Ticket $ticket)
  1099.     {
  1100.         $initialThread $this->entityManager->getRepository(Thread::class)->findOneBy([
  1101.             'ticket'     => $ticket,
  1102.             'threadType' => 'create',
  1103.         ]);
  1104.         if (!empty($initialThread)) {
  1105.             $author $initialThread->getUser();
  1106.             $authorInstance 'agent' == $initialThread->getCreatedBy() ? $author->getAgentInstance() : $author->getCustomerInstance();
  1107.         
  1108.             $threadDetails = [
  1109.                 'id'          => $initialThread->getId(),
  1110.                 'source'      => $initialThread->getSource(),
  1111.                 'messageId'   => $initialThread->getMessageId(),
  1112.                 'threadType'  => $initialThread->getThreadType(),
  1113.                 'createdBy'   => $initialThread->getCreatedBy(),
  1114.                 'message'     => html_entity_decode($initialThread->getMessage()),
  1115.                 'attachments' => $initialThread->getAttachments(),
  1116.                 'timestamp'   => $initialThread->getCreatedAt()->getTimestamp(),
  1117.                 'createdAt'   => $initialThread->getCreatedAt()->format('d-m-Y h:ia'),
  1118.                 'user'        => $authorInstance->getPartialDetails(),
  1119.                 'cc'          => is_array($initialThread->getCc()) ? implode(', '$initialThread->getCc()) : '',
  1120.             ];
  1121.             $attachments $threadDetails['attachments']->getValues();
  1122.             if (!empty($attachments)) {
  1123.                 $uvdeskFileSystemService $this->container->get('uvdesk.core.file_system.service');
  1124.                 $threadDetails['attachments'] = array_map(function ($attachment) use ($uvdeskFileSystemService) {
  1125.                     return $uvdeskFileSystemService->getFileTypeAssociations($attachment);
  1126.                 }, $attachments);
  1127.             }
  1128.         }
  1129.         return $threadDetails ?? null;
  1130.     }
  1131.     public function getCreateReply($ticketId$firewall 'member')
  1132.     {
  1133.         $qb $this->entityManager->createQueryBuilder();
  1134.         $qb->select("th,a,u.id as userId")->from(Thread::class, 'th')
  1135.                 ->leftJoin('th.ticket','t')
  1136.                 ->leftJoin('th.attachments''a')
  1137.                 ->leftJoin('th.user','u')
  1138.                 ->andWhere('t.id = :ticketId')
  1139.                 ->andWhere('th.threadType = :threadType')
  1140.                 ->setParameter('threadType','create')
  1141.                 ->setParameter('ticketId',$ticketId)
  1142.                 ->orderBy('th.id''DESC')
  1143.                 ->getMaxResults(1);
  1144.         $threadResponse $qb->getQuery()->getArrayResult();
  1145.         if ((!empty($threadResponse[0][0]))) {
  1146.             $threadDetails $threadResponse[0][0];
  1147.             $userService $this->container->get('user.service');
  1148.             
  1149.             if ($threadDetails['createdBy'] == 'agent') {
  1150.                 $threadDetails['user'] = $userService->getAgentDetailById($threadResponse[0]['userId']);
  1151.             } else {
  1152.                 $threadDetails['user'] = $userService->getCustomerPartialDetailById($threadResponse[0]['userId']);
  1153.             }
  1154.             
  1155.             $threadDetails['reply'] = html_entity_decode($threadDetails['message']);
  1156.             $threadDetails['formatedCreatedAt'] = $this->timeZoneConverter($threadDetails['createdAt']);    
  1157.             $threadDetails['timestamp'] = $userService->convertToDatetimeTimezoneTimestamp($threadDetails['createdAt']);
  1158.         
  1159.             if (!empty($threadDetails['attachments'])) {
  1160.                 $entityManager $this->entityManager;
  1161.                 $uvdeskFileSystemService $this->container->get('uvdesk.core.file_system.service');
  1162.                 $threadDetails['attachments'] = array_map(function ($attachment) use ($entityManager$uvdeskFileSystemService$firewall) {
  1163.                     $attachmentReferenceObject $entityManager->getReference(Attachment::class, $attachment['id']);
  1164.                     return $uvdeskFileSystemService->getFileTypeAssociations($attachmentReferenceObject$firewall);
  1165.                 }, $threadDetails['attachments']);
  1166.             }
  1167.         }
  1168.         
  1169.         return $threadDetails ?? null;
  1170.     }
  1171.     public function hasAttachments($ticketId) {
  1172.         $qb $this->entityManager->createQueryBuilder();
  1173.         $qb->select("DISTINCT COUNT(a.id) as attachmentCount")->from(Thread::class, 'th')
  1174.                 ->leftJoin('th.ticket','t')
  1175.                 ->leftJoin('th.attachments','a')
  1176.                 ->andWhere('t.id = :ticketId')
  1177.                 ->setParameter('ticketId',$ticketId);
  1178.         return intval($qb->getQuery()->getSingleScalarResult());
  1179.     }
  1180.     public function getAgentDraftReply()
  1181.     {
  1182.         $signature $this->getUser()->getAgentInstance()->getSignature();
  1183.         
  1184.         return str_replace"\n"'<br/>'$signature);
  1185.     }
  1186.     public function trans($text)
  1187.     {
  1188.         return $this->container->get('translator')->trans($text);
  1189.     }
  1190.     public function getAllSources()
  1191.     {
  1192.         $sources = ['email' => 'Email''website' => 'Website'];
  1193.         return $sources;
  1194.     }
  1195.     public function getCustomLabelDetails($container)
  1196.     {
  1197.         $currentUser $container->get('user.service')->getCurrentUser();
  1198.         $qb $this->entityManager->createQueryBuilder();
  1199.         $qb->select('COUNT(DISTINCT t) as ticketCount,sl.id')->from(Ticket::class, 't')
  1200.                 ->leftJoin('t.supportLabels','sl')
  1201.                 ->andWhere('sl.user = :userId')
  1202.                 ->setParameter('userId'$currentUser->getId())
  1203.                 ->groupBy('sl.id');
  1204.         $ticketCountResult $qb->getQuery()->getResult();
  1205.         $data = array();
  1206.         $qb $this->entityManager->createQueryBuilder();
  1207.         $qb->select('sl.id,sl.name,sl.colorCode')->from(SupportLabel::class, 'sl')
  1208.                 ->andWhere('sl.user = :userId')
  1209.                 ->setParameter('userId'$currentUser->getId());
  1210.         $labels $qb->getQuery()->getResult();
  1211.         foreach ($labels as $key => $label) {
  1212.             $labels[$key]['count'] = 0;
  1213.             foreach ($ticketCountResult as $ticketCount) {
  1214.                 if (($label['id'] == $ticketCount['id']))
  1215.                     $labels[$key]['count'] = $ticketCount['ticketCount'] ?: 0;
  1216.             }
  1217.         }
  1218.         return $labels;
  1219.     }
  1220.     public function getLabels($request null)
  1221.     {
  1222.         static $labels;
  1223.         if (null !== $labels)
  1224.             return $labels;
  1225.         $qb $this->entityManager->createQueryBuilder();
  1226.         $qb->select('sl')->from(SupportLabel::class, 'sl')
  1227.             ->andWhere('sl.user = :userId')
  1228.             ->setParameter('userId'$this->getUser()->getId());
  1229.         if ($request) {
  1230.             $qb->andWhere("sl.name LIKE :labelName");
  1231.             $qb->setParameter('labelName''%'.urldecode(trim($request->query->get('query'))).'%');
  1232.         }
  1233.         return $labels $qb->getQuery()->getArrayResult();
  1234.     }
  1235.     public function getTicketCollaborators($ticketId)
  1236.     {
  1237.         $qb $this->entityManager->createQueryBuilder();
  1238.         $qb->select("DISTINCT c.id, c.email, CONCAT(c.firstName,' ', c.lastName) AS name, userInstance.profileImagePath, userInstance.profileImagePath as smallThumbnail")->from(Ticket::class, 't')
  1239.                 ->leftJoin('t.collaborators''c')
  1240.                 ->leftJoin('c.userInstance''userInstance')
  1241.                 ->andWhere('t.id = :ticketId')
  1242.                 ->andWhere('userInstance.supportRole = :roles')
  1243.                 ->setParameter('ticketId'$ticketId)
  1244.                 ->setParameter('roles'4)
  1245.                 ->orderBy('name','ASC');
  1246.         return $qb->getQuery()->getArrayResult();
  1247.     }
  1248.     public function getTicketTagsById($ticketId)
  1249.     {
  1250.         $qb $this->entityManager->createQueryBuilder();
  1251.         $qb->select('tg')->from(Tag::class, 'tg')
  1252.                 ->leftJoin('tg.tickets' ,'t')
  1253.                 ->andWhere('t.id = :ticketId')
  1254.                 ->setParameter('ticketId'$ticketId);
  1255.         return $qb->getQuery()->getArrayResult();
  1256.     }
  1257.     public function getTicketLabels($ticketId)
  1258.     {
  1259.         $qb $this->entityManager->createQueryBuilder();
  1260.         $qb->select('DISTINCT sl.id,sl.name,sl.colorCode')->from(Ticket::class, 't')
  1261.                 ->leftJoin('t.supportLabels','sl')
  1262.                 ->leftJoin('sl.user','slu')
  1263.                 ->andWhere('slu.id = :userId')
  1264.                 ->andWhere('t.id = :ticketId')
  1265.                 ->setParameter('userId'$this->getUser()->getId())
  1266.                 ->setParameter('ticketId'$ticketId);
  1267.         $result $qb->getQuery()->getResult();
  1268.         
  1269.         return $result $result : [];
  1270.     }
  1271.     public function getUserLabels()
  1272.     {
  1273.         $qb $this->entityManager->createQueryBuilder();
  1274.         $qb->select('sl')->from(SupportLabel::class, 'sl')
  1275.                 ->leftJoin('sl.user','slu')
  1276.                 ->andWhere('slu.id = :userId')
  1277.                 ->setParameter('userId'$this->getUser()->getId());
  1278.         $result $qb->getQuery()->getResult();
  1279.         
  1280.         return $result $result : [];
  1281.     }
  1282.     public function getTicketLabelsAll($ticketId)
  1283.     {
  1284.         $qb $this->entityManager->createQueryBuilder();
  1285.         $qb->select('DISTINCT sl.id,sl.name,sl.colorCode')->from(Ticket::class, 't')
  1286.                 ->leftJoin('t.supportLabels','sl')
  1287.                 ->andWhere('t.id = :ticketId')
  1288.                 ->setParameter('ticketId'$ticketId);
  1289.         $result $qb->getQuery()->getResult();
  1290.         
  1291.         return $result $result : [];
  1292.     }
  1293.     public function getManualWorkflow()
  1294.     {
  1295.         $preparedResponseIds = [];
  1296.         $groupIds = [];
  1297.         $teamIds = []; 
  1298.         $userId $this->container->get('user.service')->getCurrentUser()->getAgentInstance()->getId();
  1299.         $preparedResponseRepo $this->entityManager->getRepository(PreparedResponses::class)->findAll();
  1300.         foreach ($preparedResponseRepo as $pr) {
  1301.             if ($userId == $pr->getUser()->getId()) {
  1302.                 //Save the ids of the saved reply.
  1303.                 array_push($preparedResponseIds, (int)$pr->getId());
  1304.             }
  1305.         }
  1306.         // Get the ids of the Group(s) the current user is associated with.
  1307.         $query "select * from uv_user_support_groups where userInstanceId =".$userId;
  1308.         $connection $this->entityManager->getConnection();
  1309.         $stmt $connection->prepare($query);
  1310.         $stmt->execute();
  1311.         $result $stmt->fetchAll();
  1312.         foreach ($result as $row) {
  1313.             array_push($groupIds$row['supportGroupId']);
  1314.         }
  1315.         // Get all the saved reply's ids that is associated with the user's group(s).
  1316.         $query "select * from uv_prepared_response_support_groups";
  1317.         $stmt $connection->prepare($query);
  1318.         $stmt->execute();
  1319.         $result $stmt->fetchAll();
  1320.         foreach ($result as $row) {
  1321.             if (in_array($row['group_id'], $groupIds)) {
  1322.                 array_push($preparedResponseIds, (int) $row['savedReply_id']);
  1323.             }
  1324.         }
  1325.         // Get the ids of the Team(s) the current user is associated with.
  1326.         $query "select * from uv_user_support_teams";
  1327.         $connection $this->entityManager->getConnection();
  1328.         $stmt $connection->prepare($query);
  1329.         $stmt->execute();
  1330.         $result $stmt->fetchAll();
  1331.         foreach($result as $row) {
  1332.             if ($row['userInstanceId'] == $userId) {
  1333.                 array_push($teamIds$row['supportTeamId']);
  1334.             }
  1335.         }
  1336.         $query "select * from uv_prepared_response_support_teams";
  1337.         $stmt $connection->prepare($query);
  1338.         $stmt->execute();
  1339.         $result $stmt->fetchAll();
  1340.         foreach ($result as $row) {
  1341.             if (in_array($row['subgroup_id'], $teamIds)) {
  1342.                 array_push($preparedResponseIds, (int)$row['savedReply_id']);
  1343.             }
  1344.         }
  1345.         $qb $this->entityManager->createQueryBuilder();
  1346.         $qb->select('DISTINCT mw')
  1347.             ->from(PreparedResponses::class, 'mw')
  1348.             ->where('mw.status = 1')
  1349.             ->andWhere('mw.id IN (:ids)')
  1350.             ->setParameter('ids'$preparedResponseIds);
  1351.         
  1352.         return $qb->getQuery()->getResult();
  1353.     }
  1354.     public function getSavedReplies()
  1355.     {   
  1356.         $savedReplyIds = [];
  1357.         $groupIds = [];
  1358.         $teamIds = []; 
  1359.         $userId $this->container->get('user.service')->getCurrentUser()->getAgentInstance()->getId();
  1360.         $savedReplyRepo $this->entityManager->getRepository(SavedReplies::class)->findAll();
  1361.         foreach ($savedReplyRepo as $sr) {
  1362.             if ($userId == $sr->getUser()->getId()) {
  1363.                 //Save the ids of the saved reply.
  1364.                 array_push($savedReplyIds, (int)$sr->getId());
  1365.             }
  1366.         }
  1367.         // Get the ids of the Group(s) the current user is associated with.
  1368.         $query "select * from uv_user_support_groups where userInstanceId =".$userId;
  1369.         $connection $this->entityManager->getConnection();
  1370.         $stmt $connection->prepare($query);
  1371.         $stmt->execute();
  1372.         $result $stmt->fetchAll();
  1373.         foreach ($result as $row) {
  1374.             array_push($groupIds$row['supportGroupId']);
  1375.         }
  1376.         // Get all the saved reply's ids that is associated with the user's group(s).
  1377.         $query "select * from uv_saved_replies_groups";
  1378.         $stmt $connection->prepare($query);
  1379.         $stmt->execute();
  1380.         $result $stmt->fetchAll();
  1381.         foreach ($result as $row) {
  1382.             if (in_array($row['group_id'], $groupIds)) {
  1383.                 array_push($savedReplyIds, (int) $row['savedReply_id']);
  1384.             }
  1385.         }
  1386.         // Get the ids of the Team(s) the current user is associated with.
  1387.         $query "select * from uv_user_support_teams";
  1388.         $connection $this->entityManager->getConnection();
  1389.         $stmt $connection->prepare($query);
  1390.         $stmt->execute();
  1391.         $result $stmt->fetchAll();
  1392.         foreach ($result as $row) {
  1393.             if ($row['userInstanceId'] == $userId) {
  1394.                 array_push($teamIds$row['supportTeamId']);
  1395.             }
  1396.         }
  1397.         $query "select * from uv_saved_replies_teams";
  1398.         $stmt $connection->prepare($query);
  1399.         $stmt->execute();
  1400.         $result $stmt->fetchAll();
  1401.         foreach ($result as $row) {
  1402.             if (in_array($row['subgroup_id'], $teamIds)) {
  1403.                 array_push($savedReplyIds, (int)$row['savedReply_id']);
  1404.             }
  1405.         }
  1406.         $qb $this->entityManager->createQueryBuilder();
  1407.         $qb->select('DISTINCT sr')
  1408.         ->from(SavedReplies::class, 'sr')
  1409.         ->Where('sr.id IN (:ids)')
  1410.         ->setParameter('ids'$savedReplyIds);
  1411.         
  1412.         return $qb->getQuery()->getResult();
  1413.     }
  1414.     public function getPriorities()
  1415.     {
  1416.         static $priorities;
  1417.         if (null !== $priorities)
  1418.             return $priorities;
  1419.         $qb $this->entityManager->createQueryBuilder();
  1420.         $qb->select('tp')->from(TicketPriority::class, 'tp');
  1421.         return $priorities $qb->getQuery()->getArrayResult();
  1422.     }
  1423.     public function getTicketLastThread($ticketId)
  1424.     {
  1425.         $qb $this->entityManager->createQueryBuilder();
  1426.         $qb->select("th")->from(Thread::class, 'th')
  1427.                 ->leftJoin('th.ticket','t')
  1428.                 ->andWhere('t.id = :ticketId')
  1429.                 ->setParameter('ticketId',$ticketId)
  1430.                 ->orderBy('th.id''DESC');
  1431.         return $qb->getQuery()->setMaxResults(1)->getSingleResult();
  1432.     }
  1433.     public function getlastReplyAgentName($ticketId)
  1434.     {
  1435.         $qb $this->entityManager->createQueryBuilder();
  1436.         $qb->select("u.id,CONCAT(u.firstName,' ', u.lastName) AS name,u.firstName")->from(Thread::class, 'th')
  1437.                 ->leftJoin('th.ticket','t')
  1438.                 ->leftJoin('th.user''u')
  1439.                 ->leftJoin('u.userInstance''userInstance')
  1440.                 ->andWhere('userInstance.supportRole != :roles')
  1441.                 ->andWhere('t.id = :ticketId')
  1442.                 ->andWhere('th.threadType = :threadType')
  1443.                 ->setParameter('threadType','reply')
  1444.                 ->andWhere('th.createdBy = :createdBy')
  1445.                 ->setParameter('createdBy','agent')
  1446.                 ->setParameter('ticketId',$ticketId)
  1447.                 ->setParameter('roles'4)
  1448.                 ->orderBy('th.id''DESC');
  1449.         $result $qb->getQuery()->setMaxResults(1)->getResult();
  1450.         return $result $result[0] : null;
  1451.     }
  1452.     public function getLastReply($ticketId$userType null
  1453.     {
  1454.         $queryBuilder $this->entityManager->createQueryBuilder();
  1455.         $queryBuilder->select("th, a, u.id as userId")
  1456.             ->from(Thread::class, 'th')
  1457.             ->leftJoin('th.ticket','t')
  1458.             ->leftJoin('th.attachments''a')
  1459.             ->leftJoin('th.user','u')
  1460.             ->andWhere('t.id = :ticketId')
  1461.             ->andWhere('th.threadType = :threadType')
  1462.             ->setParameter('threadType','reply')
  1463.             ->setParameter('ticketId',$ticketId)
  1464.             ->orderBy('th.id''DESC')
  1465.             ->getMaxResults(1);
  1466.         if (!empty($userType)) {
  1467.             $queryBuilder->andWhere('th.createdBy = :createdBy')->setParameter('createdBy'$userType);
  1468.         }
  1469.         
  1470.         $threadResponse $queryBuilder->getQuery()->getArrayResult();
  1471.         
  1472.         if (!empty($threadResponse[0][0])) {
  1473.             $threadDetails $threadResponse[0][0];
  1474.             $userService $this->container->get('user.service');
  1475.             
  1476.             if ($threadDetails['createdBy'] == 'agent') {
  1477.                 $threadDetails['user'] = $userService->getAgentDetailById($threadResponse[0]['userId']);
  1478.             } else {
  1479.                 $threadDetails['user'] = $userService->getCustomerPartialDetailById($threadResponse[0]['userId']);
  1480.             }
  1481.             
  1482.             $threadDetails['reply'] = html_entity_decode($threadDetails['message']);
  1483.             $threadDetails['formatedCreatedAt'] = $this->timeZoneConverter($threadDetails['createdAt']);
  1484.             $threadDetails['timestamp'] = $userService->convertToDatetimeTimezoneTimestamp($threadDetails['createdAt']);
  1485.             if (!empty($threadDetails['attachments'])) {
  1486.                 $entityManager $this->entityManager;
  1487.                 $uvdeskFileSystemService $this->container->get('uvdesk.core.file_system.service');
  1488.                 $threadDetails['attachments'] = array_map(function ($attachment) use ($entityManager$uvdeskFileSystemService) {
  1489.                     $attachmentReferenceObject $this->entityManager->getReference(Attachment::class, $attachment['id']);
  1490.                     return $uvdeskFileSystemService->getFileTypeAssociations($attachmentReferenceObject);
  1491.                 }, $threadDetails['attachments']);
  1492.             }
  1493.         }
  1494.         return $threadDetails ?? null;
  1495.     }
  1496.     public function getSavedReplyContent($savedReplyId$ticketId)
  1497.     {
  1498.         $ticket $this->entityManager->getRepository(Ticket::class)->find($ticketId);
  1499.         $savedReply $this->entityManager->getRepository(SavedReplies::class)->findOneById($savedReplyId);
  1500.         $emailPlaceholders $this->getSavedReplyPlaceholderValues($ticket'customer');
  1501.         return $this->container->get('email.service')->processEmailContent($savedReply->getMessage(), $emailPlaceholderstrue);
  1502.     }
  1503.     public function getSavedReplyPlaceholderValues($ticket$type "customer")
  1504.     {
  1505.         $variables = array();
  1506.         $variables['ticket.id'] = $ticket->getId();
  1507.         $variables['ticket.subject'] = $ticket->getSubject();
  1508.         $variables['ticket.status'] = $ticket->getStatus()->getCode();
  1509.         $variables['ticket.priority'] = $ticket->getPriority()->getCode();
  1510.         if ($ticket->getSupportGroup())
  1511.             $variables['ticket.group'] = $ticket->getSupportGroup()->getName();
  1512.         else
  1513.             $variables['ticket.group'] = '';
  1514.         $variables['ticket.team'] = ($ticket->getSupportTeam() ? $ticket->getSupportTeam()->getName() : '');
  1515.         $customer $this->container->get('user.service')->getCustomerPartialDetailById($ticket->getCustomer()->getId());
  1516.         $variables['ticket.customerName'] = $customer['name'];
  1517.         $variables['ticket.customerEmail'] = $customer['email'];
  1518.         $userService $this->container->get('user.service');
  1519.       
  1520.         $variables['ticket.agentName'] = '';
  1521.         $variables['ticket.agentEmail'] = '';
  1522.         if ($ticket->getAgent()) {
  1523.             $agent $this->container->get('user.service')->getAgentDetailById($ticket->getAgent()->getId());
  1524.             if ($agent) {
  1525.                 $variables['ticket.agentName'] = $agent['name'];
  1526.                 $variables['ticket.agentEmail'] = $agent['email'];
  1527.             }
  1528.         }
  1529.         
  1530.         $router $this->container->get('router');
  1531.         if ($type == 'customer') {
  1532.             $ticketListURL $router->generate('helpdesk_customer_ticket_collection', [
  1533.                 'id' => $ticket->getId(),
  1534.             ], UrlGeneratorInterface::ABSOLUTE_URL);
  1535.         } else {
  1536.             $ticketListURL $router->generate('helpdesk_member_ticket_collection', [
  1537.                 'id' => $ticket->getId(),
  1538.             ], UrlGeneratorInterface::ABSOLUTE_URL);
  1539.         }
  1540.         $variables['ticket.link'] = sprintf("<a href='%s'>#%s</a>"$ticketListURL$ticket->getId());
  1541.         return $variables;
  1542.     }
  1543.     public function isEmailBlocked($email$website
  1544.     {
  1545.         $flag false;
  1546.         $email strtolower($email);
  1547.         $knowlegeBaseWebsite $this->entityManager->getRepository(KnowledgebaseWebsite::class)->findOneBy(['website' => $website->getId(), 'isActive' => 1]);
  1548.         $list $this->container->get('user.service')->getWebsiteSpamDetails($knowlegeBaseWebsite);
  1549.         // Blacklist
  1550.         if (!empty($list['blackList']['email']) && in_array($email$list['blackList']['email'])) {
  1551.             // Emails
  1552.             $flag true;
  1553.         } elseif (!empty($list['blackList']['domain'])) {
  1554.             // Domains
  1555.             foreach ($list['blackList']['domain'] as $domain) {
  1556.                 if (strpos($email$domain)) {
  1557.                     $flag true;
  1558.                     break;
  1559.                 }
  1560.             }
  1561.         }
  1562.         // Whitelist
  1563.         if ($flag) {
  1564.             if (isset($email$list['whiteList']['email']) && in_array($email$list['whiteList']['email'])) {
  1565.                 // Emails
  1566.                 return false;
  1567.             } elseif (isset($list['whiteList']['domain'])) {
  1568.                 // Domains
  1569.                 foreach ($list['whiteList']['domain'] as $domain) {
  1570.                     if (strpos($email$domain)) {
  1571.                         $flag false;
  1572.                     }
  1573.                 }
  1574.             }
  1575.         }
  1576.         return $flag;
  1577.     }
  1578.     public function timeZoneConverter($dateFlag)
  1579.     {
  1580.         $website $this->entityManager->getRepository(Website::class)->findOneBy(['code' => 'Knowledgebase']);
  1581.         $timeZone $website->getTimezone();
  1582.         $timeFormat $website->getTimeformat();
  1583.         $activeUser $this->container->get('user.service')->getSessionUser();
  1584.         $agentTimeZone = !empty($activeUser) ? $activeUser->getTimezone() : null;
  1585.         $agentTimeFormat = !empty($activeUser) ? $activeUser->getTimeformat() : null;
  1586.         $parameterType gettype($dateFlag);
  1587.         if ($parameterType == 'string') {
  1588.             if (is_null($agentTimeZone) && is_null($agentTimeFormat)) {
  1589.                 if(is_null($timeZone) && is_null($timeFormat)){
  1590.                     $datePattern date_create($dateFlag);
  1591.                     return date_format($datePattern,'d-m-Y h:ia');
  1592.                 } else {
  1593.                     $dateFlag = new \DateTime($dateFlag);
  1594.                     $datePattern $dateFlag->setTimezone(new \DateTimeZone($timeZone));
  1595.                     return date_format($datePattern$timeFormat);
  1596.                 }
  1597.             } else {
  1598.                 $dateFlag = new \DateTime($dateFlag);
  1599.                 $datePattern $dateFlag->setTimezone(new \DateTimeZone($agentTimeZone));
  1600.                 return date_format($datePattern$agentTimeFormat);
  1601.             }          
  1602.         } else {
  1603.             if (is_null($agentTimeZone) && is_null($agentTimeFormat)){
  1604.                 if (is_null($timeZone) && is_null($timeFormat)) {
  1605.                     return date_format($dateFlag,'d-m-Y h:ia');
  1606.                 } else {
  1607.                     $datePattern $dateFlag->setTimezone(new \DateTimeZone($timeZone));
  1608.                     return date_format($datePattern$timeFormat);
  1609.                 }
  1610.             } else {
  1611.                 $datePattern $dateFlag->setTimezone(new \DateTimeZone($agentTimeZone));
  1612.                 return date_format($datePattern$agentTimeFormat);
  1613.             }    
  1614.         }         
  1615.     }
  1616.     public function fomatTimeByPreference($dbTime,$timeZone,$timeFormat,$agentTimeZone,$agentTimeFormat)
  1617.     {
  1618.         if (is_null($agentTimeZone) && is_null($agentTimeFormat)) {
  1619.             if (is_null($timeZone) && is_null($timeFormat)) {
  1620.                 $dateTimeZone $dbTime;
  1621.                 $timeFormatString 'd-m-Y h:ia';
  1622.             } else {
  1623.                 $dateTimeZone $dbTime->setTimezone(new \DateTimeZone($timeZone));
  1624.                 $timeFormatString $timeFormat;
  1625.             }
  1626.         } else {
  1627.             $dateTimeZone $dbTime->setTimezone(new \DateTimeZone($agentTimeZone));
  1628.             $timeFormatString $agentTimeFormat;
  1629.         }
  1630.         $time['dateTimeZone'] = $dateTimeZone;
  1631.         $time['timeFormatString'] = $timeFormatString;
  1632.         return $time;
  1633.     }
  1634.     
  1635.     public function isTicketAccessGranted(Ticket $ticketUser $user null$firewall 'members')
  1636.     {
  1637.         // @TODO: Take current firewall into consideration (access check on behalf of agent/customer)
  1638.         if (empty($user)) {
  1639.             $user $this->container->get('user.service')->getSessionUser();
  1640.         }
  1641.         if (empty($user)) {
  1642.             return false;
  1643.         } else {
  1644.             $agentInstance $user->getAgentInstance();
  1645.     
  1646.             if (empty($agentInstance)) {
  1647.                 return false;
  1648.             }
  1649.         }
  1650.         if ($agentInstance->getSupportRole()->getId() == && in_array($agentInstance->getTicketAccessLevel(), [234])) {
  1651.             $accessLevel $agentInstance->getTicketAccessLevel();
  1652.             // Check if user has been given inidividual access
  1653.             if ($ticket->getAgent() != null && $ticket->getAgent()->getId() == $user->getId()) {
  1654.                 return true;
  1655.             }
  1656.             
  1657.             if ($accessLevel == || $accessLevel == 3) {
  1658.                 // Check if user belongs to a support team assigned to ticket
  1659.                 $teamReferenceIds array_map(function ($team) { return $team->getId(); }, $agentInstance->getSupportTeams()->toArray());
  1660.                 
  1661.                 if ($ticket->getSupportTeam() != null && in_array($ticket->getSupportTeam()->getId(), $teamReferenceIds)) {
  1662.                     return true;
  1663.                 } else if ($accessLevel == 2) {
  1664.                     // Check if user belongs to a support group assigned to ticket
  1665.                     $groupReferenceIds array_map(function ($group) { return $group->getId(); }, $agentInstance->getSupportGroups()->toArray());
  1666.                     if ($ticket->getSupportGroup() != null && in_array($ticket->getSupportGroup()->getId(), $groupReferenceIds)) {
  1667.                         return true;
  1668.                     }
  1669.                 }
  1670.             }
  1671.             return false;
  1672.         }
  1673.         return true;
  1674.     }
  1675.     public function addTicketCustomFields($thread$submittedCustomFields = [], $uploadedFilesCollection = [])
  1676.     {
  1677.         $customFieldsService null;
  1678.         $customFieldsEntityReference null;
  1679.         
  1680.         if ($this->userService->isFileExists('apps/uvdesk/custom-fields')) {
  1681.             $customFieldsService $this->container->get('uvdesk_package_custom_fields.service');
  1682.             $customFieldsEntityReference UVDeskCommunityPackages\CustomFields\Entity\CustomFields::class;
  1683.             $customFieldValuesEntityReference UVDeskCommunityPackages\CustomFields\Entity\CustomFieldsValues::class;
  1684.             $ticketCustomFieldValuesEntityReference UVDeskCommunityPackages\CustomFields\Entity\TicketCustomFieldsValues::class;
  1685.         } else if ($this->userService->isFileExists('apps/uvdesk/form-component')) {
  1686.             $customFieldsService $this->container->get('uvdesk_package_form_component.service');
  1687.             $customFieldsEntityReference UVDeskCommunityPackages\FormComponent\Entity\CustomFields::class;
  1688.             $customFieldValuesEntityReference UVDeskCommunityPackages\FormComponent\Entity\CustomFieldsValues::class;
  1689.             $ticketCustomFieldValuesEntityReference UVDeskCommunityPackages\FormComponent\Entity\TicketCustomFieldsValues::class;
  1690.         } else {
  1691.             return;
  1692.         }
  1693.         $ticket $thread->getTicket();
  1694.         $customFieldsCollection $this->entityManager->getRepository($customFieldsEntityReference)->findAll();
  1695.         $customFieldValuesEntityRepository $this->entityManager->getRepository($customFieldValuesEntityReference);
  1696.         foreach ($customFieldsCollection as $customFields) {
  1697.             if (in_array($customFields->getFieldType(), ['select''checkbox''radio']) && !count($customFields->getCustomFieldValues())) {
  1698.                 continue;
  1699.             }
  1700.             
  1701.             if (
  1702.                 !empty($submittedCustomFields
  1703.                 && $customFields->getFieldType() != 'file' 
  1704.                 && isset($submittedCustomFields[$customFields->getId()])
  1705.             ) {
  1706.                 // Check if custom field dependency criterias are fullfilled
  1707.                 if (
  1708.                     count($customFields->getCustomFieldsDependency()) 
  1709.                     && !in_array($ticket->getType(), $customFields->getCustomFieldsDependency()->toArray())
  1710.                 ) {
  1711.                     continue;
  1712.                 }
  1713.                 // Save ticket custom fields
  1714.                 $ticketCustomField = new $ticketCustomFieldValuesEntityReference();
  1715.                 $ticketCustomField
  1716.                     ->setTicket($ticket)
  1717.                     ->setTicketCustomFieldsValues($customFields)
  1718.                     ->setValue(json_encode($submittedCustomFields[$customFields->getId()]))
  1719.                 ;
  1720.                 if (in_array($customFields->getFieldType(), ['select''checkbox''radio'])) {
  1721.                     // Add custom field values mapping too
  1722.                     if (is_array($submittedCustomFields[$customFields->getId()])) {
  1723.                         foreach ($submittedCustomFields[$customFields->getId()] as $value) {
  1724.                             $ticketCustomFieldValues $customFieldValuesEntityRepository->findOneBy([
  1725.                                 'id'           => $value
  1726.                                 'customFields' => $customFields
  1727.                             ]);
  1728.                             if (!empty($ticketCustomFieldValues)) {
  1729.                                 $ticketCustomField
  1730.                                     ->setTicketCustomFieldValueValues($ticketCustomFieldValues)
  1731.                                 ;
  1732.                             }
  1733.                         }
  1734.                     } else {
  1735.                         $ticketCustomFieldValues $customFieldValuesEntityRepository->findOneBy([
  1736.                             'id'           => $submittedCustomFields[$customFields->getId()], 
  1737.                             'customFields' => $customFields
  1738.                         ]);
  1739.                         if (!empty($ticketCustomFieldValues)) {
  1740.                             $ticketCustomField
  1741.                                 ->setTicketCustomFieldValueValues($ticketCustomFieldValues)
  1742.                             ;
  1743.                         }
  1744.                     }
  1745.                 }
  1746.                 $this->entityManager->persist($ticketCustomField);
  1747.                 $this->entityManager->flush();
  1748.             } else if (
  1749.                 !empty($uploadedFilesCollection
  1750.                 && isset($uploadedFilesCollection[$customFields->getId()]) 
  1751.             ) {
  1752.                 // Upload files
  1753.                 $path '/custom-fields/ticket/' $ticket->getId() . '/';
  1754.                 $fileNames $this->fileUploadService->uploadFile($uploadedFilesCollection[$customFields->getid()], $pathtrue);
  1755.                 if (!empty($fileNames)) {
  1756.                     // Save files entry to attachment table
  1757.                     try {
  1758.                         $newFilesNames $customFieldsService->addFilesEntryToAttachmentTable([$fileNames], $thread);
  1759.                         foreach ($newFilesNames as $value) {
  1760.                             // Save ticket custom fields
  1761.                             $ticketCustomField = new $ticketCustomFieldValuesEntityReference();
  1762.                             $ticketCustomField
  1763.                                 ->setTicket($ticket)
  1764.                                 ->setTicketCustomFieldsValues($customFields)
  1765.                                 ->setValue(json_encode([
  1766.                                     'name' => $value['name'], 
  1767.                                     'path' => $value['path'], 
  1768.                                     'id'   => $value['id'], 
  1769.                                 ]))
  1770.                             ;
  1771.                             $this->entityManager->persist($ticketCustomField);
  1772.                             $this->entityManager->flush();
  1773.                         }
  1774.                     } catch (\Exception $e) {
  1775.                         // @TODO: Log execption message
  1776.                     }
  1777.                 }
  1778.             }
  1779.         }
  1780.     }
  1781.     // return attachemnt for initial thread
  1782.     public function getInitialThread($ticketId)
  1783.     {
  1784.         $firstThread null;
  1785.         $intialThread $this->entityManager->getRepository(Thread::class)->findBy(['ticket'=>$ticketId]);
  1786.         
  1787.         foreach ($intialThread as $key => $value) {
  1788.             if ($value->getThreadType() == "create"){
  1789.                 $firstThread $value;
  1790.             }
  1791.         }
  1792.         return $firstThread;
  1793.     }
  1794.     public function getTicketConditions()
  1795.     {
  1796.         $conditions = array(
  1797.             'ticket' => [
  1798.                 ('mail') => array(
  1799.                     [
  1800.                         'lable' => ('from_mail'),
  1801.                         'value' => 'from_mail',
  1802.                         'match' => 'email'
  1803.                     ],
  1804.                     [
  1805.                         'lable' => ('to_mail'),
  1806.                         'value' => 'to_mail',
  1807.                         'match' => 'email'
  1808.                     ],
  1809.                 ),
  1810.                 ('API') => array(
  1811.                     [
  1812.                         'lable' => ('Domain'),
  1813.                         'value' => 'domain',
  1814.                         'match' => 'api'
  1815.                     ],
  1816.                     [
  1817.                         'lable' => ('Locale'),
  1818.                         'value' => 'locale',
  1819.                         'match' => 'api'
  1820.                     ],
  1821.                 ),
  1822.                 ('ticket') => array(
  1823.                     [
  1824.                         'lable' => ('subject'),
  1825.                         'value' => 'subject',
  1826.                         'match' => 'string'
  1827.                     ],
  1828.                     [
  1829.                         'lable' => ('description'),
  1830.                         'value' => 'description',
  1831.                         'match' => 'string'
  1832.                     ],
  1833.                     [
  1834.                         'lable' => ('subject_or_description'),
  1835.                         'value' => 'subject_or_description',
  1836.                         'match' => 'string'
  1837.                     ],
  1838.                     [
  1839.                         'lable' => ('priority'),
  1840.                         'value' => 'priority',
  1841.                         'match' => 'select'
  1842.                     ],
  1843.                     [
  1844.                         'lable' => ('type'),
  1845.                         'value' => 'type',
  1846.                         'match' => 'select'
  1847.                     ],
  1848.                     [
  1849.                         'lable' => ('status'),
  1850.                         'value' => 'status',
  1851.                         'match' => 'select'
  1852.                     ],
  1853.                     [
  1854.                         'lable' => ('source'),
  1855.                         'value' => 'source',
  1856.                         'match' => 'select'
  1857.                     ],
  1858.                     [
  1859.                         'lable' => ('created'),
  1860.                         'value' => 'created',
  1861.                         'match' => 'date'
  1862.                     ],
  1863.                     [
  1864.                         'lable' => ('agent'),
  1865.                         'value' => 'agent',
  1866.                         'match' => 'select'
  1867.                     ],
  1868.                     [
  1869.                         'lable' => ('group'),
  1870.                         'value' => 'group',
  1871.                         'match' => 'select'
  1872.                     ],
  1873.                     [
  1874.                         'lable' => ('team'),
  1875.                         'value' => 'team',
  1876.                         'match' => 'select'
  1877.                     ],
  1878.                 ),
  1879.                 ('customer') => array(
  1880.                     [
  1881.                         'lable' => ('customer_name'),
  1882.                         'value' => 'customer_name',
  1883.                         'match' => 'string'
  1884.                     ],
  1885.                     [
  1886.                         'lable' => ('customer_email'),
  1887.                         'value' => 'customer_email',
  1888.                         'match' => 'email'
  1889.                     ],
  1890.                 ),
  1891.             ],
  1892.             'task' => [
  1893.                 ('task') => array(
  1894.                     [
  1895.                         'lable' => ('subject'),
  1896.                         'value' => 'subject',
  1897.                         'match' => 'string'
  1898.                     ],
  1899.                     [
  1900.                         'lable' => ('description'),
  1901.                         'value' => 'description',
  1902.                         'match' => 'string'
  1903.                     ],
  1904.                     [
  1905.                         'lable' => ('subject_or_description'),
  1906.                         'value' => 'subject_or_description',
  1907.                         'match' => 'string'
  1908.                     ],
  1909.                     [
  1910.                         'lable' => ('priority'),
  1911.                         'value' => 'priority',
  1912.                         'match' => 'select'
  1913.                     ],
  1914.                     [
  1915.                         'lable' => ('stage'),
  1916.                         'value' => 'stage',
  1917.                         'match' => 'select'
  1918.                     ],
  1919.                     [
  1920.                         'lable' => ('created'),
  1921.                         'value' => 'created',
  1922.                         'match' => 'date'
  1923.                     ],
  1924.                     [
  1925.                         'lable' => ('agent_name'),
  1926.                         'value' => 'agent_name',
  1927.                         'match' => 'select'
  1928.                     ],
  1929.                     [
  1930.                         'lable' => ('agent_email'),
  1931.                         'value' => 'agent_email',
  1932.                         'match' => 'select'
  1933.                     ],
  1934.                 ),
  1935.             ]
  1936.         );
  1937.         return $conditions;
  1938.     }
  1939.     public function getAgentMatchConditions()
  1940.     {
  1941.         return [
  1942.             'email' => array(
  1943.                 [
  1944.                     'lable' => ('is'),
  1945.                     'value' => 'is'
  1946.                 ],
  1947.                 [
  1948.                     'lable' => ('isNot'),
  1949.                     'value' => 'isNot'
  1950.                 ],
  1951.                 [
  1952.                     'lable' => ('contains'),
  1953.                     'value' => 'contains'
  1954.                 ],
  1955.                 [
  1956.                     'lable' => ('notContains'),
  1957.                     'value' => 'notContains'
  1958.                 ],
  1959.             ),
  1960.             'api' => array(
  1961.                 [
  1962.                     'lable' => ('is'),
  1963.                     'value' => 'is'
  1964.                 ],
  1965.                 [
  1966.                     'lable' => ('contains'),
  1967.                     'value' => 'contains'
  1968.                 ],
  1969.             ),
  1970.             'string' => array(
  1971.                 [
  1972.                     'lable' => ('is'),
  1973.                     'value' => 'is'
  1974.                 ],
  1975.                 [
  1976.                     'lable' => ('isNot'),
  1977.                     'value' => 'isNot'
  1978.                 ],
  1979.                 [
  1980.                     'lable' => ('contains'),
  1981.                     'value' => 'contains'
  1982.                 ],
  1983.                 [
  1984.                     'lable' => ('notContains'),
  1985.                     'value' => 'notContains'
  1986.                 ],
  1987.                 [
  1988.                     'lable' => ('startWith'),
  1989.                     'value' => 'startWith'
  1990.                 ],
  1991.                 [
  1992.                     'lable' => ('endWith'),
  1993.                     'value' => 'endWith'
  1994.                 ],
  1995.             ),
  1996.             'select' => array(
  1997.                 [
  1998.                     'lable' => ('is'),
  1999.                     'value' => 'is'
  2000.                 ],
  2001.             ),
  2002.             'date' => array(
  2003.                 [
  2004.                     'lable' => ('before'),
  2005.                     'value' => 'before'
  2006.                 ],
  2007.                 [
  2008.                     'lable' => ('beforeOn'),
  2009.                     'value' => 'beforeOn'
  2010.                 ],
  2011.                 [
  2012.                     'lable' => ('after'),
  2013.                     'value' => 'after'
  2014.                 ],
  2015.                 [
  2016.                     'lable' => ('afterOn'),
  2017.                     'value' => 'afterOn'
  2018.                 ],
  2019.             ),
  2020.             'datetime' => array(
  2021.                 [
  2022.                     'lable' => ('before'),
  2023.                     'value' => 'beforeDateTime'
  2024.                 ],
  2025.                 [
  2026.                     'lable' => ('beforeOn'),
  2027.                     'value' => 'beforeDateTimeOn'
  2028.                 ],
  2029.                 [
  2030.                     'lable' => ('after'),
  2031.                     'value' => 'afterDateTime'
  2032.                 ],
  2033.                 [
  2034.                     'lable' => ('afterOn'),
  2035.                     'value' => 'afterDateTimeOn'
  2036.                 ],
  2037.             ),
  2038.             'time' => array(
  2039.                 [
  2040.                     'lable' => ('before'),
  2041.                     'value' => 'beforeTime'
  2042.                 ],
  2043.                 [
  2044.                     'lable' => ('beforeOn'),
  2045.                     'value' => 'beforeTimeOn'
  2046.                 ],
  2047.                 [
  2048.                     'lable' => ('after'),
  2049.                     'value' => 'afterTime'
  2050.                 ],
  2051.                 [
  2052.                     'lable' => ('afterOn'),
  2053.                     'value' => 'afterTimeOn'
  2054.                 ],
  2055.             ),
  2056.             'number' => array(
  2057.                 [
  2058.                     'lable' => ('is'),
  2059.                     'value' => 'is'
  2060.                 ],
  2061.                 [
  2062.                     'lable' => ('isNot'),
  2063.                     'value' => 'isNot'
  2064.                 ],
  2065.                 [
  2066.                     'lable' => ('contains'),
  2067.                     'value' => 'contains'
  2068.                 ],
  2069.                 [
  2070.                     'lable' => ('greaterThan'),
  2071.                     'value' => 'greaterThan'
  2072.                 ],
  2073.                 [
  2074.                     'lable' => ('lessThan'),
  2075.                     'value' => 'lessThan'
  2076.                 ],
  2077.             ),
  2078.         ];
  2079.     }
  2080.     public function getTicketMatchConditions()
  2081.     {
  2082.         return [
  2083.             'email' => array(
  2084.                 [
  2085.                     'lable' => ('is'),
  2086.                     'value' => 'is'
  2087.                 ],
  2088.                 [
  2089.                     'lable' => ('isNot'),
  2090.                     'value' => 'isNot'
  2091.                 ],
  2092.                 [
  2093.                     'lable' => ('contains'),
  2094.                     'value' => 'contains'
  2095.                 ],
  2096.                 [
  2097.                     'lable' => ('notContains'),
  2098.                     'value' => 'notContains'
  2099.                 ],
  2100.             ),
  2101.             'api' => array(
  2102.                 [
  2103.                     'lable' => ('is'),
  2104.                     'value' => 'is'
  2105.                 ],
  2106.                 [
  2107.                     'lable' => ('contains'),
  2108.                     'value' => 'contains'
  2109.                 ],
  2110.             ),
  2111.             'string' => array(
  2112.                 [
  2113.                     'lable' => ('is'),
  2114.                     'value' => 'is'
  2115.                 ],
  2116.                 [
  2117.                     'lable' => ('isNot'),
  2118.                     'value' => 'isNot'
  2119.                 ],
  2120.                 [
  2121.                     'lable' => ('contains'),
  2122.                     'value' => 'contains'
  2123.                 ],
  2124.                 [
  2125.                     'lable' => ('notContains'),
  2126.                     'value' => 'notContains'
  2127.                 ],
  2128.                 [
  2129.                     'lable' => ('startWith'),
  2130.                     'value' => 'startWith'
  2131.                 ],
  2132.                 [
  2133.                     'lable' => ('endWith'),
  2134.                     'value' => 'endWith'
  2135.                 ],
  2136.             ),
  2137.             'select' => array(
  2138.                 [
  2139.                     'lable' => ('is'),
  2140.                     'value' => 'is'
  2141.                 ],
  2142.                 [
  2143.                     'lable' => ('isNot'),
  2144.                     'value' => 'isNot'
  2145.                 ],
  2146.             ),
  2147.             'date' => array(
  2148.                 [
  2149.                     'lable' => ('before'),
  2150.                     'value' => 'before'
  2151.                 ],
  2152.                 [
  2153.                     'lable' => ('beforeOn'),
  2154.                     'value' => 'beforeOn'
  2155.                 ],
  2156.                 [
  2157.                     'lable' => ('after'),
  2158.                     'value' => 'after'
  2159.                 ],
  2160.                 [
  2161.                     'lable' => ('afterOn'),
  2162.                     'value' => 'afterOn'
  2163.                 ],
  2164.             ),
  2165.             'datetime' => array(
  2166.                 [
  2167.                     'lable' => ('before'),
  2168.                     'value' => 'beforeDateTime'
  2169.                 ],
  2170.                 [
  2171.                     'lable' => ('beforeOn'),
  2172.                     'value' => 'beforeDateTimeOn'
  2173.                 ],
  2174.                 [
  2175.                     'lable' => ('after'),
  2176.                     'value' => 'afterDateTime'
  2177.                 ],
  2178.                 [
  2179.                     'lable' => ('afterOn'),
  2180.                     'value' => 'afterDateTimeOn'
  2181.                 ],
  2182.             ),
  2183.             'time' => array(
  2184.                 [
  2185.                     'lable' => ('before'),
  2186.                     'value' => 'beforeTime'
  2187.                 ],
  2188.                 [
  2189.                     'lable' => ('beforeOn'),
  2190.                     'value' => 'beforeTimeOn'
  2191.                 ],
  2192.                 [
  2193.                     'lable' => ('after'),
  2194.                     'value' => 'afterTime'
  2195.                 ],
  2196.                 [
  2197.                     'lable' => ('afterOn'),
  2198.                     'value' => 'afterTimeOn'
  2199.                 ],
  2200.             ),
  2201.             'number' => array(
  2202.                 [
  2203.                     'lable' => ('is'),
  2204.                     'value' => 'is'
  2205.                 ],
  2206.                 [
  2207.                     'lable' => ('isNot'),
  2208.                     'value' => 'isNot'
  2209.                 ],
  2210.                 [
  2211.                     'lable' => ('contains'),
  2212.                     'value' => 'contains'
  2213.                 ],
  2214.                 [
  2215.                     'lable' => ('greaterThan'),
  2216.                     'value' => 'greaterThan'
  2217.                 ],
  2218.                 [
  2219.                     'lable' => ('lessThan'),
  2220.                     'value' => 'lessThan'
  2221.                 ],
  2222.             ),
  2223.         ];
  2224.     }
  2225.     public function getTargetAction() {
  2226.        return [
  2227.             '4' => ['response' => ['time' => '2''unit' => 'hours'], 'resolve' => ['time' => '8''unit' => 'hours'], 'operational' => 'calendarHours''isActive' => 'on'],
  2228.             '3' => ['response' => ['time' => '4''unit' => 'hours'], 'resolve' => ['time' => '1''unit' => 'days'], 'operational' => 'calendarHours''isActive' => 'on'],
  2229.             '2' => ['response' => ['time' => '8''unit' => 'hours'], 'resolve' => ['time' => '3''unit' => 'days'], 'operational' => 'calendarHours''isActive' => 'on'],
  2230.             '1' => ['response' => ['time' => '16''unit' => 'hours'], 'resolve' => ['time' => '5''unit' => 'days'], 'operational' => 'calendarHours''isActive' => 'on'],
  2231.        ];
  2232.     }
  2233.     public function getTicketActions($force false)
  2234.     {
  2235.         $actionArray =  array(
  2236.             'ticket' => [
  2237.                 'priority'               => ('action.priority'),
  2238.                 'type'                   => ('action.type'),
  2239.                 'status'                 => ('action.status'),
  2240.                 'tag'                    => ('action.tag'),
  2241.                 'note'                   => ('action.note'),
  2242.                 'label'                  => ('action.label'),
  2243.                 'assign_agent'           => ('action.assign_agent'),
  2244.                 'assign_group'           => ('action.assign_group'),
  2245.                 'assign_team'            => ('action.assign_team'),
  2246.                 'mail_agent'             => ('action.mail_agent'),
  2247.                 'mail_group'             => ('action.mail_group'),
  2248.                 'mail_team'              => ('action.mail_team'),
  2249.                 'mail_customer'          => ('action.mail_customer'),
  2250.                 'mail_last_collaborator' => ('action.mail_last_collaborator'),
  2251.                 'mail_all_collaborators' => ('action.mail_all_collaborators'),
  2252.                 'delete_ticket'          => ('action.delete_ticket'),
  2253.                 'mark_spam'              => ('action.mark_spam'),
  2254.             ],
  2255.             'task' => [
  2256.                 'reply'            => ('action.reply'),
  2257.                 'mail_agent'       => ('action.mail_agent'),
  2258.                 'mail_members'     => ('action.mail_members'),
  2259.                 'mail_last_member' => ('action.mail_last_member'),
  2260.             ],
  2261.             'customer' => [
  2262.                 'mail_customer' => ('action.mail_customer'),
  2263.             ],
  2264.             'agent' => [
  2265.                 'mail_agent'    => ('action.mail_agent'),
  2266.                 'task_transfer' => ('action.task_transfer'),
  2267.                 'assign_agent'  => ('action.assign_agent'),
  2268.                 'assign_group'  => ('action.assign_group'),
  2269.                 'assign_team'   => ('action.assign_team'),
  2270.             ],
  2271.         );
  2272.         $actionRoleArray = [
  2273.             'ticket->priority'               => 'ROLE_AGENT_UPDATE_TICKET_PRIORITY',
  2274.             'ticket->type'                   => 'ROLE_AGENT_UPDATE_TICKET_TYPE',
  2275.             'ticket->status'                 => 'ROLE_AGENT_UPDATE_TICKET_STATUS',
  2276.             'ticket->tag'                    => 'ROLE_AGENT_ADD_TAG',
  2277.             'ticket->note'                   => 'ROLE_AGENT_ADD_NOTE',
  2278.             'ticket->assign_agent'           => 'ROLE_AGENT_ASSIGN_TICKET',
  2279.             'ticket->assign_group'           => 'ROLE_AGENT_ASSIGN_TICKET_GROUP',
  2280.             'ticket->assign_team'            => 'ROLE_AGENT_ASSIGN_TICKET_GROUP',
  2281.             'ticket->mail_agent'             => 'ROLE_AGENT',
  2282.             'ticket->mail_group'             => 'ROLE_AGENT_MANAGE_GROUP',
  2283.             'ticket->mail_team'              => 'ROLE_AGENT_MANAGE_SUB_GROUP',
  2284.             'ticket->mail_customer'          => 'ROLE_AGENT',
  2285.             'ticket->mail_last_collaborator' => 'ROLE_AGENT',
  2286.             'ticket->mail_all_collaborators' => 'ROLE_AGENT',
  2287.             'ticket->delete_ticket'          => 'ROLE_AGENT_DELETE_TICKET',
  2288.             'ticket->mark_spam'              => 'ROLE_AGENT_UPDATE_TICKET_STATUS',
  2289.             'ticket->label'                  => 'ROLE_ADMIN',
  2290.             'task->reply'                    => 'ROLE_AGENT',
  2291.             'task->mail_agent'               => 'ROLE_AGENT',
  2292.             'task->mail_members'             => 'ROLE_AGENT',
  2293.             'task->mail_last_member'         => 'ROLE_AGENT',
  2294.             'customer->mail_customer'        => 'ROLE_AGENT',
  2295.             'agent->mail_agent'              => 'ROLE_AGENT',
  2296.             'agent->task_transfer'           => 'ROLE_AGENT_EDIT_TASK',
  2297.             'agent->assign_agent'            => 'ROLE_AGENT_ASSIGN_TICKET',
  2298.             'agent->assign_group'            => 'ROLE_AGENT_ASSIGN_TICKET_GROUP',
  2299.             'agent->assign_team'             => 'ROLE_AGENT_ASSIGN_TICKET_GROUP',
  2300.         ];
  2301.         $resultArray = [];
  2302.         foreach ($actionRoleArray as $action => $role) {
  2303.             if ($role == 'ROLE_AGENT' || $this->container->get('user.service')->checkPermission($role) || $force) {
  2304.                 $actionPath explode('->'$action);
  2305.                 $resultArray[$actionPath[0]][$actionPath[1]] = $actionArray[$actionPath[0]][$actionPath[1]];
  2306.             }
  2307.         }
  2308.         $repo $this->container->get('doctrine.orm.entity_manager')->getRepository('WebkulAppBundle:ECommerceChannel');
  2309.         $ecomArray= [];
  2310.         $ecomChannels $repo->getActiveChannelsByCompany($this->container->get('user.service')->getCurrentCompany());
  2311.         foreach ($ecomChannels as $channel) {
  2312.             $ecomArray['add_order_to_' $channel['id']] = ('Add order to: ') . $channel['title'];
  2313.         }
  2314.         $resultArray['ticket'] = array_merge($resultArray['ticket'], $ecomArray);
  2315.         return $resultArray;
  2316.     }
  2317. }