src/Controller/OrderController.php line 2280

Open in your IDE?
  1. <?php
  2. namespace App\Controller;
  3. use DateTime;
  4. use DateTimeZone;
  5. use App\Entity\Order;
  6. use App\Entity\Rewards;
  7. use App\Entity\FoodItem;
  8. use App\Entity\Toppings;
  9. use App\Entity\UserInfo;
  10. use Kreait\Firebase\Factory;
  11. use App\Entity\RewardsHistory;
  12. use Symfony\Component\Uid\Uuid;
  13. use Symfony\Component\Mime\Email;
  14. use Symfony\Component\Mime\Address;
  15. use Symfony\Component\Mailer\Mailer;
  16. use App\Repository\RewardsRepository;
  17. use App\Repository\FoodItemRepository;
  18. use Doctrine\ORM\EntityManagerInterface;
  19. use App\Repository\ConfigurationRepository;
  20. use Symfony\Component\HttpFoundation\Request;
  21. use Symfony\Component\Mailer\MailerInterface;
  22. use Symfony\Component\HttpFoundation\Response;
  23. use Symfony\Component\Routing\Annotation\Route;
  24. use Symfony\Component\HttpFoundation\JsonResponse;
  25. use Symfony\Contracts\HttpClient\HttpClientInterface;
  26. use Symfony\Component\Mailer\Transport\Smtp\EsmtpTransport;
  27. use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
  28. class OrderController extends AbstractController
  29. {
  30.     private ConfigurationRepository $configurationRepository;
  31.     public function __construct(ConfigurationRepository $configurationRepository)
  32.     {
  33.         $this->configurationRepository $configurationRepository;
  34.     }
  35.     
  36.     #[Route('/order/prepare'name'api_prepare_order'methods: ['POST'])]
  37.     public function prepareOrder(Request $requestEntityManagerInterface $entityManager): Response
  38.     {
  39.         $projectDir $this->getParameter('kernel.project_dir');
  40.         $serviceAccountPath $projectDir '/config/firebase_service_account.json';
  41.         $factory = (new Factory)->withServiceAccount($serviceAccountPath);
  42.         $firebaseAuth $factory->createAuth();
  43.     
  44.         $authHeader $request->headers->get('Authorization');
  45.         $jwt $authHeader str_replace('Bearer '''$authHeader) : null;
  46.     
  47.         if (!$jwt) {
  48.             return $this->json(['status' => false'message' => 'Authorization token not found''data' => new \stdClass()]);
  49.         }
  50.     
  51.         try {
  52.             $decodedToken $firebaseAuth->verifyIdToken($jwt);
  53.             $userUuid $decodedToken->claims()->get('sub');
  54.             $userInfo $entityManager->getRepository(UserInfo::class)->findOneBy(['firebaseId' => $userUuid]);
  55.     
  56.             if (!$userInfo) {
  57.                 return $this->json(['status' => false'message' => 'User not found''data' => new \stdClass()]);
  58.             }
  59.     
  60.             $requestData json_decode($request->getContent(), true);
  61.             $restaurantId $requestData['restaurantId'];
  62.             $foodItemsData $requestData['foodItems'] ?? [];
  63.             $rewardsData $requestData['rewards'] ?? [];
  64.             
  65.             if ($restaurantId == 1) {
  66.                 $checkForRestaurant 1020;
  67.             } else if ($restaurantId == 3) {
  68.                 $checkForRestaurant 10202;
  69.             } else {
  70.                 $checkForRestaurant 1050;
  71.             }
  72.  
  73.             $configuration $this->configurationRepository->getConfigurationByRestaurantId($checkForRestaurant);
  74.         /*    if (!$configuration) {
  75.                 return $this->json([
  76.                     'status' => false,
  77.                     'message' => 'Configuration not found for restaurant ID: ' . $restaurantId,
  78.                     'data' => new \stdClass()
  79.                 ]);
  80.             }*/
  81.     
  82.             $bypassKey 'force_prepare_order';
  83.             $bypassHeader $request->headers->get('X-Bypass-Key');
  84. /*
  85.             if (!$configuration->isOrderingEnabled() && $bypassHeader !== $bypassKey) {
  86.                 return $this->json([
  87.                     'status' => false,
  88.                     'message' => 'Restaurant is currently not taking orders',
  89.                     'data' => new \stdClass()
  90.                 ]);
  91.             }*/
  92.             $order = new Order();
  93.             $order->setUserUuid($userUuid);
  94.             $order->setRestaurantId($restaurantId);
  95.             $order->setOrderStatus('prepared');
  96.             $order->setIsSent(false);
  97.     
  98.             $totalPrice 0;
  99.             $itemDetails = [];
  100.             $orderItemsNames = [];
  101.             
  102.             
  103.             foreach ($foodItemsData as $itemData) {
  104.                 $foodItem $entityManager->getRepository(FoodItem::class)->find($itemData['itemId']);
  105.                 if (!$foodItem) {
  106.                     continue;
  107.                 }
  108.             
  109.                 $itemTotal $foodItem->getPrice() * $itemData['amount'];
  110.                 $itemNames = [
  111.                     'itemId' => $foodItem->getId(),
  112.                     'name' => $foodItem->getName(),
  113.                     'note' => $itemData['note'],
  114.                     'quantity' => $itemData['amount'],
  115.                     'image' => 'https://api.theswarm.io/uploads/images/' $foodItem->getImage(),
  116.                     'unitPrice' => $foodItem->getPrice(),
  117.                     'totalPrice' => $itemTotal,
  118.                     'toppings' => []
  119.                 ];
  120.             
  121.                 foreach ($itemData['toppings'] as $toppingData) {
  122.                     $topping $entityManager->getRepository(Toppings::class)->find($toppingData['toppingId']);
  123.                     if ($topping) {
  124.                         $toppingTotal $topping->getPrice() * $toppingData['amount'] * $itemData['amount']; 
  125.                         $itemTotal += $toppingTotal;
  126.                         $itemNames['toppings'][] = [
  127.                             'itemId' => $topping->getId(),
  128.                             'name' => $topping->getName(),
  129.                             'quantity' => $toppingData['amount'],
  130.                             'unitPrice' => $topping->getPrice(),
  131.                             'totalPrice' => $toppingTotal
  132.                         ];
  133.                     }
  134.                 }
  135.             
  136.                 $totalPrice += $itemTotal;
  137.                 $itemNames['totalPrice'] = $itemTotal
  138.                 $itemDetails[] = $itemNames;
  139.                 $orderItemsNames[] = $itemNames;
  140.             }
  141.     
  142.             $order->setOriginalTotalPrice($totalPrice);
  143.             $rewardItemsList = [];
  144.             // Apply rewards and deduct reward points if applicable
  145.             $usedRewardPoints 0;
  146.             foreach ($rewardsData as $rewardData) {
  147.                 $reward $entityManager->getRepository(Rewards::class)->find($rewardData['rewardId']);
  148.                 if ($reward && $userInfo->getRewardPoints() >= $reward->getPrice()) {
  149.                     $usedRewardPoints += $reward->getPrice();
  150.                     $orderItemsNames[] = [
  151.                         'name' => $reward->getName(),
  152.                         'type' => 'reward',
  153.                         'points' => $reward->getPrice()
  154.                     ];
  155.                     $rewardItemsList[] = [
  156.                         'rewardId' => $reward->getId(),
  157.                         'name' => $reward->getName(),
  158.                         'type' => 'reward',
  159.                         'image' => 'https://api.theswarm.io/uploads/rewards_images/' $reward->getImage(),
  160.                         'points' => $reward->getPrice()
  161.                     ];                    
  162.                 }
  163.             }
  164.     
  165.             // Deduct wallet amount if applicable
  166.           //  $gainingRewardPoints = round(($totalPrice / 100)*3);
  167.             // this block below activates 50% off
  168.             // if ($restaurantId == 3) {
  169.             //     if ($totalPrice > 0) {
  170.             //         $totalPrice = $totalPrice / 2;
  171.             //     }
  172.             // }
  173.             $gainingRewardPoints $totalPrice round(($totalPrice 100) * 3) : 0;
  174.             /*$walletDeduction = min($userInfo->getWalletAmount(), $totalPrice);
  175.             if ($walletDeduction > $totalPrice) {
  176.                 $walletDeduction = $totalPrice;
  177.             }
  178.             $totalPrice -= $walletDeduction;*/
  179.            /* $walletAmount = max(0, $userInfo->getWalletAmount());
  180.             $walletDeduction = min($walletAmount, $totalPrice);
  181.             $totalPrice -= $walletDeduction;*/
  182.             $walletAmount max(0$userInfo->getWalletAmount());
  183.             $walletDeduction $totalPrice min($walletAmount$totalPrice) : 0;
  184.             $totalPrice -= $walletDeduction;
  185.             
  186.             
  187.             $order->setTotalPrice($totalPrice); // convert to cents
  188.             $order->setOrderItemsJson(json_encode($foodItemsData));
  189.             $order->setOrderItemsNames(json_encode($orderItemsNames));
  190.             $order->setOrderRewardItems(json_encode($rewardsData));
  191.             $order->setUsedReward($usedRewardPoints);
  192.             $order->setGainedReward($gainingRewardPoints);
  193.             $order->setWalletDeduct($walletDeduction);
  194.             $entityManager->persist($order);
  195.             $entityManager->flush();
  196.             
  197.     
  198.             return $this->json([
  199.                 'status' => true,
  200.                 'message' => 'Order prepared successfully',
  201.                 'data' => [
  202.                     'order_id' => $order->getId(),
  203.                     'total_price' => $totalPrice,
  204.                     'used_reward_points' => $usedRewardPoints,
  205.                     'wallet_deduction' => $walletDeduction,
  206.                     'reward_points_gained' => $gainingRewardPoints,
  207.                     'remaining_wallet_amount' => $userInfo->getWalletAmount() - $walletDeduction,
  208.                     'items' => $itemDetails,
  209.                     'rewards' => $rewardItemsList
  210.                 ]
  211.             ]);
  212.         } catch (\Throwable $e) {
  213.             return $this->json(['status' => false'message' => 'Invalid token: ' $e->getMessage(), 'data' => new \stdClass()]);
  214.         }
  215.     }
  216.     
  217.     #[Route('/order/dispatch/{restaurantId}/{orderId}'name'api_dispatch_order'methods: ['POST'])]
  218.     public function dispatchOrder(Request $requestEntityManagerInterface $entityManagerint $restaurantIdint $orderId): JsonResponse
  219.     {
  220.         $projectDir $this->getParameter('kernel.project_dir');
  221.         $serviceAccountPath $projectDir '/config/firebase_service_account.json';
  222.         $factory = (new Factory)->withServiceAccount($serviceAccountPath);
  223.         $firebaseAuth $factory->createAuth();
  224.         $authHeader $request->headers->get('Authorization');
  225.         $jwt $authHeader str_replace('Bearer '''$authHeader) : null;
  226.         if (!$jwt) {
  227.             return $this->json(['status' => false'message' => 'Authorization token not found''data' => new \stdClass()]);
  228.         }
  229.         try {
  230.             $decodedToken $firebaseAuth->verifyIdToken($jwt);
  231.             $userUuid $decodedToken->claims()->get('sub');
  232.         } catch (\Throwable $e) {
  233.             return $this->json(['status' => false'message' => 'Invalid token: ' $e->getMessage(), 'data' => new \stdClass()]);
  234.         }
  235.         $order $entityManager->getRepository(Order::class)->find($orderId);
  236.         if (!$order) {
  237.             return $this->json(['status' => false'message' => 'Order not found''data' => new \stdClass()]);
  238.         }
  239.         if ($order->getOrderStatus() === 'dispatched' || $order->getOrderStatus() === 'sent') {
  240.             return $this->json(['status' => false'message' => 'Order already dispatched or sent''data' => new \stdClass()]);
  241.         }
  242.         $remoteOrderId Uuid::v4()->toRfc4122();
  243.         
  244.         $order->setOrderStatus('dispatched');
  245.         $order->setRestaurantId($restaurantId);
  246.         $order->setRemoteOrderId($remoteOrderId);
  247.         $entityManager->persist($order);
  248.         $entityManager->flush();
  249.         $mockResponseData = [
  250.             'status' => true,
  251.             'message' => 'Order dispatched for approval',
  252.             'data' => [
  253.                 'order_id' => $order->getId(),
  254.                 'status' => 'acceptRequired',
  255.                 'total_price' => $order->getTotalPrice(),
  256.                 'used_reward_points' => $order->getUsedReward(),
  257.                 'wallet_deduction' => $order->getWalletDeduct(),
  258.                 'reward_points_gained' => $order->getGainedReward(),
  259.                 'remaining_wallet_amount' => 0,
  260.                 'items' => json_decode($order->getOrderItemsNames(), true),
  261.                 'possibleStateChanges' => [
  262.                     [
  263.                         "state" => "receivedByProvider",
  264.                         "timeChange" => true
  265.                     ],
  266.                     [
  267.                         "state" => "rejectedByPOS",
  268.                         "timeChange" => false
  269.                     ]
  270.                 ],                
  271.                 'possibleActions' => [
  272.                     'receivedByProvider'
  273.                 ],
  274.                 'modifyHistory' => [
  275.                     [
  276.                         'status' => 'waitingForApproval',
  277.                         'updatedAt' => (new \DateTime('now', new \DateTimeZone('UTC')))->format('Y-m-d\TH:i:s.v\Z')
  278.                     ]
  279.                 ],
  280.             ],
  281.             'prepareTime' => 'Waiting for confirmation',
  282.             'stripePaymentId' => '',
  283.             'remoteOrderId' => $remoteOrderId
  284.         ];
  285.         return $this->json($mockResponseData);
  286.     }
  287.     private function dispatchOrderMergeport(Order $orderint $restaurantIdint $pickupTimeEntityManagerInterface $entityManagerHttpClientInterface $httpClient): void
  288.     {
  289.         if ($restaurantId == 1) {
  290.             $checkForRestaurant 1020;
  291.         } else if ($restaurantId == 3) {
  292.             $checkForRestaurant 10202;
  293.         } else {
  294.             $checkForRestaurant 1050;
  295.         }
  296.         $configuration $this->configurationRepository->getConfigurationByRestaurantId($checkForRestaurant);
  297.       /*  if (!$configuration->isOrderingEnabled()) {
  298.             throw new \Exception('Restaurant is currently not taking orders');
  299.         }*/
  300.         $restaurantRemoteId $this->getRestaurantRemoteId($restaurantId);
  301.         if (!$restaurantRemoteId) {
  302.             throw new \Exception('Restaurant ID Incorrect.');
  303.         }
  304.         $userUuid $order->getUserUuid();
  305.         $userInfo $entityManager->getRepository(UserInfo::class)->findOneBy(['firebaseId' => $userUuid]);
  306.         if (!$userInfo) {
  307.             throw new \Exception('User not found');
  308.         }
  309.         $originalTotalPrice 0;
  310.         $orderItems json_decode($order->getOrderItemsJson(), true) ?? [];
  311.         $rewardsData json_decode($order->getOrderRewardItems(), true) ?? [];
  312.         
  313.         $products = [];
  314.         foreach ($orderItems as $item) {
  315.             $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  316.             if ($foodItem) {
  317.                 $itemTotal $foodItem->getPrice() * $item['amount'];
  318.                 if ($restaurantId == 1) {
  319.                     $remoteCodeFoodItem $foodItem->getPosId();
  320.                 } elseif ($restaurantId == 3) {
  321.                     $remoteCodeFoodItem $foodItem->getPosId10202();
  322.                 } else {
  323.                     $remoteCodeFoodItem $foodItem->getPosId1050();
  324.                 }
  325.                 $product = [
  326.                     'id' => (string) $foodItem->getId(),
  327.                     'remoteCode' => $remoteCodeFoodItem,
  328.                     'name' => $foodItem->getName(),
  329.                     'comment' => $item['note'] ?? '',
  330.                     'unitPrice' => $foodItem->getPrice(),
  331.                     'paidPrice' => $foodItem->getPrice() * $item['amount'],
  332.                     'quantity' => isset($item['amount']) ? $item['amount'] : 1,
  333.                     'selectedToppings' => []
  334.                 ];
  335.                 foreach ($item['toppings'] as $toppingData) {
  336.                     $topping $entityManager->getRepository(Toppings::class)->find($toppingData['toppingId']);
  337.                     $itemTotal += $topping->getPrice() * $toppingData['amount'];
  338.                     if ($topping) {
  339.                         if ($restaurantId == 1) {
  340.                             $remoteCodeTopping $topping->getPosId();
  341.                         } elseif ($restaurantId == 3) {
  342.                             $remoteCodeTopping $topping->getPosId10202();
  343.                         } else {
  344.                             $remoteCodeTopping $topping->getPosId1050();
  345.                         }
  346.                         $product['selectedToppings'][] = [
  347.                             'id' => (string) $topping->getId(),
  348.                             'remoteCode' => $remoteCodeTopping,
  349.                             'name' => $topping->getName(),
  350.                             'price' => $topping->getPrice(),
  351.                             'quantity' => isset($toppingData['amount']) ? $toppingData['amount'] : 1,
  352.                             'children' => []
  353.                         ];
  354.                     }
  355.                 }
  356.                 $originalTotalPrice += $itemTotal;
  357.                 $products[] = $product;
  358.             }
  359.         }
  360.         if (!empty($rewardsData)) {
  361.             foreach ($rewardsData as $rewardData) {
  362.                 $reward $entityManager->getRepository(Rewards::class)->find($rewardData['rewardId']);
  363.                 if ($reward) {
  364.                     $product = [
  365.                         'id' => 'reward_' $reward->getId(),
  366.                         'remoteCode' => '',
  367.                         'name' => 'REWARD: ' $reward->getName(),
  368.                         'comment' => '',
  369.                         'unitPrice' => 0,
  370.                         'paidPrice' => 0,
  371.                         'quantity' => 1,
  372.                         'selectedToppings' => []
  373.                     ];
  374.                     $products[] = $product;
  375.                 }
  376.             }
  377.         }
  378.         $originalTotalPrice $order->getOriginalTotalPrice();
  379.         $usedRewardPoints $order->getUsedReward();
  380.         $gainedRewardPoints $order->getGainedReward();
  381.         $walletDeduction min($order->getWalletDeduct(), $originalTotalPrice);
  382.         $userFullName $userInfo->getFullName();
  383.         $nameParts explode(" "$userFullName);
  384.         $userFName $nameParts[0] ?? '';
  385.         $userLName $nameParts[1] ?? '';
  386.         $expectedTime = (new \DateTime('now', new \DateTimeZone('UTC')))
  387.             ->modify('+' $pickupTime ' minutes')
  388.             ->format('Y-m-d\TH:i:s.v\Z');
  389.        
  390.        /* $paymentAmount = $originalTotalPrice - $walletDeduction;
  391.         $paymentAmount = max(0, $paymentAmount);*/
  392.         $paymentAmount max(0$originalTotalPrice $walletDeduction);
  393. /*
  394.         $paymentType = $paymentAmount > 0 ? 'CARD' : 'WALLET';
  395.         $referenceId = $paymentAmount > 0 ? 'card' : 'wallet';*/
  396.         if ($paymentAmount 0) {
  397.             $paymentType 'CARD';
  398.             $referenceId 'card';
  399.         } else {
  400.             $paymentType 'WALLET';
  401.             $referenceId 'wallet';
  402.         }
  403.                
  404.         $paymentAmountForPayload = ($paymentType === 'WALLET') ? $walletDeduction $paymentAmount;
  405.         $payload = [
  406.             'token' => uuid_create(),
  407.             'expiryDate' => (new \DateTime('+1 hour'))->format(\DateTimeInterface::ATOM),
  408.             'createdAt' => $order->getCreatedAt()->format(\DateTimeInterface::ATOM),
  409.             'code' => "ORDER#" $order->getId(),
  410.             'shortCode' => "ORDER#" $order->getId(),
  411.             'preOrder' => true,
  412.             'platformInfo' => [
  413.                 'restaurantId' => $restaurantRemoteId,
  414.                 'platform' => 'Randale',
  415.                 'countryCode' => 'AT',
  416.                 'currency' => 'EUR'
  417.             ],
  418.             'customer' => [
  419.                 'firstName' => $userFName,
  420.                 'lastName' => $userLName,
  421.                 'mobilePhone' => $userInfo->getPhoneNumber(),
  422.             ],
  423.             'payment' => [
  424.                 'type' => $paymentType,
  425.                 'amount' => (int) $paymentAmountForPayload,
  426.                 'payOnDelivery' => false,
  427.                 'referenceId' => $referenceId
  428.             ],
  429.             'expeditionType' => 'pickup',
  430.             'pickupInfo' => [
  431.                 'expectedTime' => $expectedTime
  432.             ],
  433.             'products' => $products,
  434.             'additionalCosts' => [],
  435.             'price' => [
  436.                 'subTotal' => (int) $originalTotalPrice,
  437.                 'grandTotal' => (int) $paymentAmount
  438.             ]
  439.         ];
  440.         if ($walletDeduction 0) {
  441.             $payload['discounts'] = [['name' => 'Wallet''amount' => (int) $walletDeduction]];
  442.         }
  443.         try {
  444.             $userInfo->setRewardPoints($userInfo->getRewardPoints() - $usedRewardPoints $gainedRewardPoints);
  445.             $userInfo->setWalletAmount($userInfo->getWalletAmount() - $walletDeduction);
  446.             
  447.             $entityManager->persist($userInfo);
  448.             if ($order->getWalletDeduct() > $walletDeduction) {
  449.                 $difference $order->getWalletDeduct() - $walletDeduction;
  450.                 $userInfo->setWalletAmount($userInfo->getWalletAmount() + $difference);
  451.                 $order->setWalletDeduct($walletDeduction);
  452.                 $entityManager->persist($userInfo);
  453.                 $entityManager->persist($order);
  454.             }
  455.         
  456.  
  457.            // $entityManager->flush();
  458.             if ($usedRewardPoints 0) {
  459.                 $rewardsHistory = new RewardsHistory();
  460.                 $rewardsHistory->setUserUuid($userUuid);
  461.                 $rewardsHistory->setAmount($usedRewardPoints);
  462.                 $rewardsHistory->setChangeType('deduct');
  463.                 $rewardsHistory->setTransactionDate(new \DateTime());
  464.                 $rewardsHistory->setDescription('Reward purchase');
  465.                 $entityManager->persist($rewardsHistory);
  466.             }
  467.             if ($gainedRewardPoints 0) {
  468.                 $rewardsHistoryGain = new RewardsHistory();
  469.                 $rewardsHistoryGain->setUserUuid($userUuid);
  470.                 $rewardsHistoryGain->setAmount($gainedRewardPoints);
  471.                 $rewardsHistoryGain->setChangeType('gain');
  472.                 $rewardsHistoryGain->setTransactionDate(new \DateTime());
  473.                 $rewardsHistoryGain->setDescription('Order');
  474.                 $entityManager->persist($rewardsHistoryGain);
  475.             }
  476.             $entityManager->flush();
  477.            // dd($payload);
  478.             $response $httpClient->request('POST'"https://ordering.mergeport.com/v4/hooks/main/e2e122e1-9481-65eb-8a0a-54079cb4211b/order/" $restaurantRemoteId, [
  479.                 'json' => $payload
  480.             ]);
  481.             $responseData $response->toArray();
  482.             $order->setRestaurantId($restaurantId);
  483.             $order->setOrderStatus('sent');
  484.             $order->setIsSent(true);
  485.             $order->setRemoteResponse($responseData);
  486.           //  $order->setRemoteOrderId($responseData['remoteResponse']['remoteOrderId'] ?? '');
  487.             // $order->setStripeId($stripePaymentId);
  488.             $entityManager->persist($order);
  489.             $entityManager->flush();
  490.             // Send confirmation email to the user
  491.             $this->sendOrderSuccessEmail($order$userInfo);
  492.         } catch (\Throwable $e) {
  493.             // Handle exceptions and rethrow for the calling method to catch
  494.             throw new \Exception('Failed to dispatch order: ' $e->getMessage());
  495.         }
  496.     }
  497.     private function dispatchOrderMergeportNewBackup(Order $orderint $restaurantIdint $pickupTimeEntityManagerInterface $entityManagerHttpClientInterface $httpClient): void
  498.     {
  499.         if ($restaurantId == 1) {
  500.             $checkForRestaurant 1020;
  501.         } else if ($restaurantId == 3) {
  502.             $checkForRestaurant 10202;
  503.         } else {
  504.             $checkForRestaurant 1050;
  505.         }
  506.         $configuration $this->configurationRepository->getConfigurationByRestaurantId($checkForRestaurant);
  507.       /*  if (!$configuration->isOrderingEnabled()) {
  508.             throw new \Exception('Restaurant is currently not taking orders');
  509.         }*/
  510.         $restaurantRemoteId $this->getRestaurantRemoteId($restaurantId);
  511.         if (!$restaurantRemoteId) {
  512.             throw new \Exception('Restaurant ID Incorrect.');
  513.         }
  514.         $userUuid $order->getUserUuid();
  515.         $userInfo $entityManager->getRepository(UserInfo::class)->findOneBy(['firebaseId' => $userUuid]);
  516.         if (!$userInfo) {
  517.             throw new \Exception('User not found');
  518.         }
  519.         $orderItems json_decode($order->getOrderItemsJson(), true);
  520.         $rewardsData json_decode($order->getOrderRewardItems(), true);
  521.         $products = [];
  522.         foreach ($orderItems as $item) {
  523.             $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  524.             if ($foodItem) {
  525.                 if ($restaurantId == 1) {
  526.                     $remoteCodeFoodItem $foodItem->getPosId();
  527.                 } elseif ($restaurantId == 3) {
  528.                     $remoteCodeFoodItem $foodItem->getPosId10202();
  529.                 } else {
  530.                     $remoteCodeFoodItem $foodItem->getPosId1050();
  531.                 }
  532.                 $product = [
  533.                     'id' => (string) $foodItem->getId(),
  534.                     'remoteCode' => $remoteCodeFoodItem,
  535.                     'name' => $foodItem->getName(),
  536.                     'comment' => $item['note'] ?? '',
  537.                     'unitPrice' => $foodItem->getPrice(),
  538.                     'paidPrice' => $foodItem->getPrice() * $item['amount'],
  539.                     'quantity' => $item['amount'],
  540.                     'selectedToppings' => []
  541.                 ];
  542.                 foreach ($item['toppings'] as $toppingData) {
  543.                     $topping $entityManager->getRepository(Toppings::class)->find($toppingData['toppingId']);
  544.                     if ($topping) {
  545.                         if ($restaurantId == 1) {
  546.                             $remoteCodeTopping $topping->getPosId();
  547.                         } elseif ($restaurantId == 3) {
  548.                             $remoteCodeTopping $topping->getPosId10202();
  549.                         } else {
  550.                             $remoteCodeTopping $topping->getPosId1050();
  551.                         }
  552.                         $product['selectedToppings'][] = [
  553.                             'id' => (string) $topping->getId(),
  554.                             'remoteCode' => $remoteCodeTopping,
  555.                             'name' => $topping->getName(),
  556.                             'price' => $topping->getPrice(),
  557.                             'quantity' => $toppingData['amount'],
  558.                             'children' => []
  559.                         ];
  560.                     }
  561.                 }
  562.                 $products[] = $product;
  563.             }
  564.         }
  565.         $usedRewardPoints $order->getUsedReward();
  566.         $gainedRewardPoints $order->getGainedReward();
  567.         $walletDeduction $order->getWalletDeduct();
  568.         $userFullName $userInfo->getFullName();
  569.         $nameParts explode(" "$userFullName);
  570.         $userFName $nameParts[0] ?? '';
  571.         $userLName $nameParts[1] ?? '';
  572.         $expectedTime = (new \DateTime('now', new \DateTimeZone('UTC')))
  573.             ->modify('+' $pickupTime ' minutes')
  574.             ->format('Y-m-d\TH:i:s.v\Z');
  575.         $payload = [
  576.             'token' => uuid_create(),
  577.             'expiryDate' => (new \DateTime('+1 hour'))->format(\DateTimeInterface::ATOM),
  578.             'createdAt' => $order->getCreatedAt()->format(\DateTimeInterface::ATOM),
  579.             'code' => "ORDER#" $order->getId(),
  580.             'shortCode' => "ORDER#" $order->getId(),
  581.             'preOrder' => true,
  582.             'platformInfo' => [
  583.                 'restaurantId' => $restaurantRemoteId,
  584.                 'platform' => 'Randale',
  585.                 'countryCode' => 'AT',
  586.                 'currency' => 'EUR'
  587.             ],
  588.             'customer' => [
  589.                 'firstName' => $userFName,
  590.                 'lastName' => $userLName,
  591.                 'mobilePhone' => $userInfo->getPhoneNumber(),
  592.             ],
  593.             'payment' => [
  594.                 'type' => 'CARD',
  595.                 'amount' => $order->getTotalPrice(),
  596.                 'payOnDelivery' => false,
  597.                 'referenceId' => 'card'
  598.             ],
  599.             'expeditionType' => 'pickup',
  600.             'pickupInfo' => [
  601.                 'expectedTime' => $expectedTime
  602.             ],
  603.             'products' => $products,
  604.             'additionalCosts' => [],
  605.             'price' => [
  606.                 'subTotal' => $order->getTotalPrice(),
  607.                 'grandTotal' => $order->getTotalPrice()
  608.             ]
  609.         ];
  610.         if ($walletDeduction 0) {
  611.             $payload['discounts'] = [['name' => 'Wallet''amount' => $walletDeduction]];
  612.         }
  613.         try {
  614.             $userInfo->setRewardPoints($userInfo->getRewardPoints() - $usedRewardPoints $gainedRewardPoints);
  615.             $userInfo->setWalletAmount($userInfo->getWalletAmount() - $walletDeduction);
  616.             $entityManager->persist($userInfo);
  617.             if ($usedRewardPoints 0) {
  618.                 $rewardsHistory = new RewardsHistory();
  619.                 $rewardsHistory->setUserUuid($userUuid);
  620.                 $rewardsHistory->setAmount($usedRewardPoints);
  621.                 $rewardsHistory->setChangeType('deduct');
  622.                 $rewardsHistory->setTransactionDate(new \DateTime());
  623.                 $rewardsHistory->setDescription('Reward purchase');
  624.                 $entityManager->persist($rewardsHistory);
  625.             }
  626.             if ($gainedRewardPoints 0) {
  627.                 $rewardsHistoryGain = new RewardsHistory();
  628.                 $rewardsHistoryGain->setUserUuid($userUuid);
  629.                 $rewardsHistoryGain->setAmount($gainedRewardPoints);
  630.                 $rewardsHistoryGain->setChangeType('gain');
  631.                 $rewardsHistoryGain->setTransactionDate(new \DateTime());
  632.                 $rewardsHistoryGain->setDescription('Order');
  633.                 $entityManager->persist($rewardsHistoryGain);
  634.             }
  635.             $entityManager->flush();
  636.             $response $httpClient->request('POST'"https://ordering.mergeport.com/v4/hooks/main/e2e122e1-9481-65eb-8a0a-54079cb4211b/order/" $restaurantRemoteId, [
  637.                 'json' => $payload
  638.             ]);
  639.             $responseData $response->toArray();
  640.             $order->setRestaurantId($restaurantId);
  641.             $order->setOrderStatus('sent');
  642.             $order->setIsSent(true);
  643.             $order->setRemoteResponse($responseData);
  644.             $order->setRemoteOrderId($responseData['remoteResponse']['remoteOrderId'] ?? '');
  645.             // $order->setStripeId($stripePaymentId);
  646.             $entityManager->persist($order);
  647.             $entityManager->flush();
  648.             // Send confirmation email to the user
  649.             $this->sendOrderSuccessEmail($order$userInfo);
  650.         } catch (\Throwable $e) {
  651.             // Handle exceptions and rethrow for the calling method to catch
  652.             throw new \Exception('Failed to dispatch order: ' $e->getMessage());
  653.         }
  654.     }
  655.     #[Route('/order/dispatch-mergeport/{restaurantId}/{orderId}'name'api_dispatch_order_mergeport'methods: ['POST'])]
  656.     public function dispatchOrderMergeportBACKUP(Request $requestEntityManagerInterface $entityManagerHttpClientInterface $httpClient$restaurantId$orderId): Response
  657.     {
  658.        // $configuration = $this->configurationRepository->getCurrentConfiguration();
  659.        /* if (!$configuration || !$configuration->isOrderingEnabled()) {
  660.             return $this->json([
  661.                 'status' => false,
  662.                 'message' => 'Restaurant is currently not taking orders',
  663.                 'data' => new \stdClass()
  664.             ]);
  665.         }*/
  666.         if ($restaurantId == 1) {
  667.             $checkForRestaurant 1020;
  668.         } else if ($restaurantId == 3) {
  669.             $checkForRestaurant 10202;
  670.         } else {
  671.             $checkForRestaurant 1050;
  672.         }
  673.         $configuration $this->configurationRepository->getConfigurationByRestaurantId($checkForRestaurant);
  674.     /*    if (!$configuration) {
  675.             return $this->json([
  676.                 'status' => false,
  677.                 'message' => 'Configuration not found for restaurant ID: ' . $restaurantId,
  678.                 'data' => new \stdClass()
  679.             ]);
  680.         }*/
  681.         $bypassKey 'force_prepare_order';
  682.         $bypassHeader $request->headers->get('X-Bypass-Key');
  683.         if (!$configuration->isOrderingEnabled() && $bypassHeader !== $bypassKey) {
  684.             return $this->json([
  685.                 'status' => false,
  686.                 'message' => 'Restaurant is currently not taking orders',
  687.                 'data' => new \stdClass()
  688.             ]);
  689.         }
  690.         $restaurantRemoteId $this->getRestaurantRemoteId($restaurantId);
  691.         if (!$restaurantRemoteId) {
  692.             return $this->json(['status' => false'message' => 'Restaurant ID Incorrect.']);
  693.         }
  694.         $projectDir $this->getParameter('kernel.project_dir');
  695.         $serviceAccountPath $projectDir '/config/firebase_service_account.json';
  696.         $factory = (new Factory)->withServiceAccount($serviceAccountPath);
  697.         $firebaseAuth $factory->createAuth();
  698.     
  699.         $authHeader $request->headers->get('Authorization');
  700.         $jwt $authHeader str_replace('Bearer '''$authHeader) : null;
  701.     
  702.         if (!$jwt) {
  703.             return $this->json(['status' => false'message' => 'Authorization token not found''data' => new \stdClass()]);
  704.         }
  705.         $decodedToken $firebaseAuth->verifyIdToken($jwt);
  706.         $userUuid $decodedToken->claims()->get('sub');
  707.         $userInfo $entityManager->getRepository(UserInfo::class)->findOneBy(['firebaseId' => $userUuid]);
  708.         $order $entityManager->getRepository(Order::class)->find($orderId);
  709.         if (!$order) {
  710.             return $this->json(['status' => false'message' => 'Order not found''data' => new \stdClass()]);
  711.         }
  712.         $requestData json_decode($request->getContent(), true);
  713.         $stripePaymentId $requestData['stripeTransactionId'] ?? [];
  714.         $orderItems json_decode($order->getOrderItemsJson(), true);
  715.         $rewardsData json_decode($order->getOrderRewardItems(), true);
  716.         $products = [];
  717.         foreach ($orderItems as $item) {
  718.             $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  719.             if ($foodItem) {
  720.                 if ($restaurantId == 1) {
  721.                     $remoteCodeFoodItem $foodItem->getPosId();
  722.                 } elseif ($restaurantId == 3) {
  723.                     $remoteCodeFoodItem $foodItem->getPosId10202();
  724.                 } else {
  725.                     $remoteCodeFoodItem $foodItem->getPosId1050();
  726.                 }
  727.                 $product = [
  728.                     'id' => (string) $foodItem->getId(),
  729.                     'remoteCode' => $remoteCodeFoodItem,
  730.                     'name' => $foodItem->getName(),
  731.                     'comment' => $item['note'],
  732.                     'unitPrice' => $foodItem->getPrice(),
  733.                     'paidPrice' => $foodItem->getPrice() * $item['amount'],
  734.                     'quantity' => $item['amount'],
  735.                     'selectedToppings' => []
  736.                 ];
  737.         
  738.                 foreach ($item['toppings'] as $toppingData) {
  739.                     $topping $entityManager->getRepository(Toppings::class)->find($toppingData['toppingId']);
  740.                     if ($topping) {
  741.                         if ($restaurantId == 1) {
  742.                             $remoteCodeTopping $topping->getPosId();
  743.                         } elseif ($restaurantId == 3) {
  744.                             $remoteCodeTopping $topping->getPosId10202();
  745.                         } else {
  746.                             $remoteCodeTopping $topping->getPosId1050();
  747.                         }
  748.                         $product['selectedToppings'][] = [
  749.                             'id' => (string) $topping->getId(),  
  750.                             'remoteCode' => $remoteCodeTopping
  751.                             'name' => $topping->getName(),
  752.                             'price' => $topping->getPrice(), 
  753.                             'quantity' => $toppingData['amount'],
  754.                             'children' => [] 
  755.                         ];
  756.                     }
  757.                 }
  758.         
  759.                 $products[] = $product;
  760.             }
  761.         }
  762.         $usedRewardPoints 0;
  763.         foreach ($rewardsData as $rewardData) {
  764.             $reward $entityManager->getRepository(Rewards::class)->find($rewardData['rewardId']);
  765.             if ($reward && $userInfo->getRewardPoints() >= $reward->getPrice()) {
  766.                 $usedRewardPoints += $reward->getPrice();
  767.                 $orderItemsNames[] = [
  768.                     'name' => $reward->getName(),
  769.                     'type' => 'reward',
  770.                     'points' => $reward->getPrice()
  771.                 ];
  772.                 $rewardItemsList[] = [
  773.                     'name' => $reward->getName(),
  774.                     'type' => 'reward',
  775.                     'image' => 'https://api.theswarm.io/uploads/rewards_images/' $reward->getImage(),
  776.                     'points' => $reward->getPrice()
  777.                 ]; 
  778.                 $product = [
  779.                     'id' => (string) $reward->getId(),
  780.                     'name' => $reward->getName(),
  781.                     'comment' => '',
  782.                     'unitPrice' => 0,
  783.                     'paidPrice' => 0,
  784.                     'quantity' => 1
  785.                 ];
  786.                 $products[] = $product;
  787.             }
  788.         }
  789.         $userFullName $userInfo->getFullName();
  790.         list($userFName$userLName) = explode(" "$userFullName);
  791.         $expectedTime = (new DateTime('now', new DateTimeZone('UTC')))
  792.         ->modify('+20 minutes')
  793.         ->format('Y-m-d\TH:i:s.v\Z');
  794.         
  795.         $payload = [
  796.             'token' => uuid_create(),
  797.             'expiryDate' => (new \DateTime('+1 hour'))->format(\DateTimeInterface::ATOM), 
  798.             'createdAt' => $order->getCreatedAt()->format(\DateTimeInterface::ATOM),
  799.             'code' => "ORDER#" $order->getId(),
  800.             'shortCode' => "ORDER#" $order->getId(),
  801.             'preOrder' => true
  802.             'platformInfo' => [
  803.                 'restaurantId' => $restaurantRemoteId
  804.                 'platform' => 'Randale',
  805.                 'countryCode' => 'AT',
  806.                 'currency' => 'EUR'
  807.             ],
  808.             'customer' => [
  809.                 'firstName' => $userFName
  810.                 'lastName' => $userLName,
  811.                 'mobilePhone' => $userInfo->getPhoneNumber(), 
  812.             ],
  813.             'payment' => [
  814.                 'type' => 'CARD',
  815.                 'amount' => $order->getTotalPrice(),
  816.                 'payOnDelivery' => false,
  817.                 'referenceId' => 'card'
  818.             ],
  819.             'expeditionType' => 'pickup',
  820.             'pickupInfo' => [
  821.                 'expectedTime' => $expectedTime
  822.             ],            
  823.             'products' => $products,
  824.             'additionalCosts' => [],
  825.             'price' => [
  826.                 'subTotal' => $order->getTotalPrice(),
  827.                 'grandTotal' => $order->getTotalPrice()
  828.             ]
  829.         ];
  830.         
  831.         try {
  832.             $totalPrice 0;
  833.             $orderItems json_decode($order->getOrderItemsJson(), true);
  834.             
  835.             foreach ($orderItems as $item) {
  836.                 $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  837.                 $itemTotal $foodItem->getPrice() * $item['amount'];
  838.                 foreach ($item['toppings'] as $toppingData) {
  839.                     $topping $entityManager->getRepository(Toppings::class)->find($toppingData['toppingId']);
  840.                     $itemTotal += $topping->getPrice() * $toppingData['amount'];
  841.                 }
  842.                 $totalPrice += $itemTotal;
  843.             }
  844.             
  845.             //$gainingRewardPoints = round(($totalPrice / 100) * 3); 
  846.             $gainingRewardPoints $order->getGainedReward();
  847.             $walletDeduction min($userInfo->getWalletAmount(), $totalPrice); 
  848.             $userInfo->setRewardPoints($userInfo->getRewardPoints() - $usedRewardPoints $gainingRewardPoints);
  849.             $userInfo->setWalletAmount($userInfo->getWalletAmount() - $walletDeduction);
  850.             if ($walletDeduction 0) {
  851.                 // add discount to payload
  852.                 $payload['discounts'] = [['name' => 'Wallet''amount' => $walletDeduction]];
  853.             }
  854.             $entityManager->persist($userInfo);
  855.             if ($usedRewardPoints 0) {
  856.                 $rewardsHistory = new RewardsHistory();
  857.                 $rewardsHistory->setUserUuid($userUuid);
  858.                 $rewardsHistory->setAmount($usedRewardPoints);
  859.                 $rewardsHistory->setChangeType('deduct');
  860.                 $rewardsHistory->setTransactionDate(new \DateTime());
  861.                 $rewardsHistory->setDescription('Reward purchase');
  862.                 $entityManager->persist($rewardsHistory);
  863.             }    
  864.             $rewardsHistoryGain = new RewardsHistory();
  865.             $rewardsHistoryGain->setUserUuid($userUuid);
  866.             $rewardsHistoryGain->setAmount($gainingRewardPoints);
  867.             $rewardsHistoryGain->setChangeType('gain');
  868.             $rewardsHistoryGain->setTransactionDate(new \DateTime());
  869.             $rewardsHistoryGain->setDescription('Order');
  870.             $entityManager->persist($rewardsHistoryGain);
  871.             $entityManager->flush();
  872.             
  873.             $response $httpClient->request('POST'"https://ordering.mergeport.com/v4/hooks/main/e2e122e1-9481-65eb-8a0a-54079cb4211b/order/".$restaurantRemoteId, [
  874.                 'json' => $payload
  875.             ]);
  876.             $responseData $response->toArray(); 
  877.             $order->setRestaurantId($restaurantId);
  878.             $order->setOrderStatus('sent');
  879.             $order->setIsSent(true);
  880.             $order->setRemoteResponse($responseData);
  881.             $order->setRemoteOrderId($responseData['remoteResponse']['remoteOrderId'] ?? '');
  882.             $order->setStripeId($stripePaymentId);
  883.             $entityManager->persist($order);
  884.             $entityManager->flush();
  885.             $this->sendOrderSuccessEmail($order$userInfo);
  886.             return $this->json([
  887.                 'status' => true,
  888.                 'message' => 'Order dispatched successfully',
  889.                 'data' => $responseData,
  890.                 'prepareTime' => 'Waiting for confirmation',
  891.                 'usedRewardPoints' => $usedRewardPoints,
  892.                 'gainedRewardPoints' => (int) $gainingRewardPoints,
  893.                 'walletDeduction' => $walletDeduction,
  894.                 'stripePaymentId' => $stripePaymentId,
  895.                 'remoteOrderId' => $responseData['remoteResponse']['remoteOrderId'] ?? ''
  896.             ]);
  897.         } catch (\Throwable $e) {
  898.             return $this->json(['status' => false'message' => 'Failed to dispatch order: ' $e->getMessage(), 'data' => new \stdClass(), 'payload' => $payload]);
  899.         }
  900.     }
  901. /*
  902.     #[Route('/order/history', name: 'order_history_list', methods: ['GET'])]
  903.     public function orderHistoryList(Request $request, EntityManagerInterface $entityManager): Response
  904.     {
  905.         $projectDir = $this->getParameter('kernel.project_dir');
  906.         $serviceAccountPath = $projectDir . '/config/firebase_service_account.json';
  907.         $factory = (new Factory)->withServiceAccount($serviceAccountPath);
  908.         $firebaseAuth = $factory->createAuth();
  909.     
  910.         $authHeader = $request->headers->get('Authorization');
  911.         $jwt = $authHeader ? str_replace('Bearer ', '', $authHeader) : null;
  912.     
  913.         if (!$jwt) {
  914.             return $this->json(['status' => false, 'message' => 'Authorization token not found', 'data' => new \stdClass()]);
  915.         }
  916.     
  917.         try {
  918.             $decodedToken = $firebaseAuth->verifyIdToken($jwt);
  919.             $userUuid = $decodedToken->claims()->get('sub');
  920.         } catch (\Throwable $e) {
  921.             return $this->json(['status' => false, 'message' => 'Invalid token: ' . $e->getMessage(), 'data' => new \stdClass()]);
  922.         }
  923.     
  924.         $orders = $entityManager->getRepository(Order::class)->findBy(['user_uuid' => $userUuid, 'order_status' => 'sent']);
  925.     
  926.         $orderList = array_map(function ($order) {
  927.             return [
  928.                 'orderNumber' => $order->getId(),
  929.                 'dateAndTime' => $order->getCreatedAt()->format('Y-m-d H:i:s'),
  930.                 'totalPrice' => $order->getTotalPrice(),
  931.                 'orderItems' => json_decode($order->getOrderItemsJson(), true)
  932.             ];
  933.         }, $orders);
  934.     
  935.         return $this->json([
  936.             'status' => true,
  937.             'data' => $orderList
  938.         ]);
  939.     }*/
  940.     #[Route('/order/history'name'order_history_list'methods: ['GET'])]
  941.     public function orderHistoryList(Request $requestEntityManagerInterface $entityManager): Response
  942.     {
  943.         $projectDir $this->getParameter('kernel.project_dir');
  944.         $serviceAccountPath $projectDir '/config/firebase_service_account.json';
  945.         $factory = (new Factory)->withServiceAccount($serviceAccountPath);
  946.         $firebaseAuth $factory->createAuth();
  947.     
  948.         $authHeader $request->headers->get('Authorization');
  949.         $jwt $authHeader str_replace('Bearer '''$authHeader) : null;
  950.     
  951.         if (!$jwt) {
  952.             return $this->json(['status' => false'message' => 'Authorization token not found''data' => new \stdClass()]);
  953.         }
  954.     
  955.         try {
  956.             $decodedToken $firebaseAuth->verifyIdToken($jwt);
  957.             $userUuid $decodedToken->claims()->get('sub');
  958.         } catch (\Throwable $e) {
  959.             return $this->json(['status' => false'message' => 'Invalid token: ' $e->getMessage(), 'data' => new \stdClass()]);
  960.         }
  961.     
  962.         $orderStatuses = ['sent''refunded'];
  963.         $orders $entityManager->getRepository(Order::class)->findBy(['user_uuid' => $userUuid'order_status' => $orderStatuses]);
  964.     
  965.         $orderList array_map(function ($order) use ($entityManager) {
  966.             $items json_decode($order->getOrderItemsJson(), true);
  967.             $itemDetails = [];
  968.             $itemCount 0;
  969.     
  970.             foreach ($items as $item) {
  971.                 $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  972.                 if ($foodItem) {
  973.                     $itemDetail = [
  974.                         'itemId' => $item['itemId'],
  975.                         'name' => $foodItem->getName(),
  976.                         'amount' => $item['amount'],
  977.                         'unitPrice' => $foodItem->getPrice(),
  978.                         'image' => 'https://api.theswarm.io/uploads/images/' $foodItem->getImage(),
  979.                         'toppings' => array_map(function ($toppingData) use ($entityManager) {
  980.                             $topping $entityManager->getRepository(Toppings::class)->find($toppingData['toppingId']);
  981.                             if ($topping) {
  982.                                 return [
  983.                                     'toppingId' => $toppingData['toppingId'],
  984.                                     'name' => $topping->getName(),
  985.                                     'amount' => $toppingData['amount'],
  986.                                     'unitPrice' => $topping->getPrice()
  987.                                 ];
  988.                             }
  989.                             return null;
  990.                         }, $item['toppings'])
  991.                     ];
  992.     
  993.                     $itemCount += $item['amount'];
  994.     
  995.                     $itemDetails[] = $itemDetail;
  996.                 }
  997.             }
  998.     
  999.             $rewardsData json_decode($order->getOrderRewardItems(), true);
  1000.             $rewards = [];
  1001.             if (!empty($rewardsData)) {
  1002.                 foreach ($rewardsData as $rewardItem) {
  1003.                     $reward $entityManager->getRepository(Rewards::class)->find($rewardItem['rewardId']);
  1004.                     if ($reward) {
  1005.                         $rewards[] = [
  1006.                             'rewardId' => $reward->getId(),
  1007.                             'image' => 'https://api.theswarm.io/uploads/rewards_images/' $reward->getImage(),
  1008.                             'name' => $reward->getName(),
  1009.                             'type' => 'reward',
  1010.                             'points' => $reward->getPrice(),
  1011.                         ];
  1012.                     }
  1013.                 }
  1014.             }
  1015.     
  1016.             $orderResponseJsonInfo $order->getRemoteResponse();
  1017.             $remote_order_id "";
  1018.             if ($orderResponseJsonInfo) {
  1019.                 $remote_order_id $orderResponseJsonInfo['remoteResponse']['remoteOrderId'] ?? '';
  1020.             }
  1021.     
  1022.             return [
  1023.                 'orderStatus' => $order->getOrderStatus(),
  1024.                 'orderNumber' => $order->getId(),
  1025.                 'restaurant_id' => $order->getRestaurantId(),
  1026.                 'remote_order_id' => $remote_order_id,
  1027.                 'dateAndTime' => $order->getCreatedAt()->format('Y-m-d H:i:s'),
  1028.                 'total_price' => $order->getTotalPrice(),
  1029.                 'used_reward_points' => $order->getUsedReward(),
  1030.                 'reward_points_gained' => $order->getGainedReward(),
  1031.                 'wallet_deduction' => $order->getWalletDeduct(),
  1032.                 'orderItems' => $itemDetails,
  1033.                 'itemCount' => $itemCount,
  1034.                 'stripePaymentId' => $order->getStripeId(),
  1035.                 'rewards' => $rewards 
  1036.             ];
  1037.         }, $orders);
  1038.     
  1039.         return $this->json([
  1040.             'status' => true,
  1041.             'data' => $orderList
  1042.         ]);
  1043.     }
  1044.     
  1045.     
  1046.     
  1047.     #[Route('/order/history/{orderId}'name'order_history_single'methods: ['GET'])]
  1048.     public function orderHistorySingle(Request $requestEntityManagerInterface $entityManagerint $orderId): Response
  1049.     {
  1050.         $projectDir $this->getParameter('kernel.project_dir');
  1051.         $serviceAccountPath $projectDir '/config/firebase_service_account.json';
  1052.         $factory = (new Factory)->withServiceAccount($serviceAccountPath);
  1053.         $firebaseAuth $factory->createAuth();
  1054.     
  1055.         $authHeader $request->headers->get('Authorization');
  1056.         $jwt $authHeader str_replace('Bearer '''$authHeader) : null;
  1057.     
  1058.         if (!$jwt) {
  1059.             return $this->json(['status' => false'message' => 'Authorization token not found''data' => new \stdClass()]);
  1060.         }
  1061.     
  1062.         try {
  1063.             $decodedToken $firebaseAuth->verifyIdToken($jwt);
  1064.             $userUuid $decodedToken->claims()->get('sub');
  1065.         } catch (\Throwable $e) {
  1066.             return $this->json(['status' => false'message' => 'Invalid token: ' $e->getMessage(), 'data' => new \stdClass()]);
  1067.         }
  1068.     
  1069.         $orderStatuses = ['sent''refunded'];
  1070.         $order $entityManager->getRepository(Order::class)->findOneBy(['id' => $orderId'user_uuid' => $userUuid]);
  1071.     
  1072.         if (!$order) {
  1073.             return $this->json(['status' => false'message' => 'Order not found or not sent''data' => new \stdClass()]);
  1074.         }
  1075.     
  1076.         $items json_decode($order->getOrderItemsJson(), true);
  1077.         $itemDetails = [];
  1078.         $itemCount 0;
  1079.     
  1080.         foreach ($items as $item) {
  1081.             $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  1082.             if ($foodItem) {
  1083.                 $itemDetail = [
  1084.                     'itemId' => $item['itemId'],
  1085.                     'name' => $foodItem->getName(),
  1086.                     'unitPrice' => $foodItem->getPrice(),
  1087.                     'amount' => $item['amount'],
  1088.                     'image' => 'https://api.theswarm.io/uploads/images/' $foodItem->getImage(),
  1089.                     'toppings' => array_map(function ($toppingData) use ($entityManager) {
  1090.                         $topping $entityManager->getRepository(Toppings::class)->find($toppingData['toppingId']);
  1091.                         if ($topping) {
  1092.                             return [
  1093.                                 'toppingId' => $toppingData['toppingId'],
  1094.                                 'name' => $topping->getName(),
  1095.                                 'amount' => $toppingData['amount'],
  1096.                                 'unitPrice' => $topping->getPrice()
  1097.                             ];
  1098.                         }
  1099.                         return null;
  1100.                     }, $item['toppings'])
  1101.                 ];
  1102.     
  1103.                 $itemCount += $item['amount'];
  1104.     
  1105.                 $itemDetails[] = $itemDetail;
  1106.             }
  1107.         }
  1108.     
  1109.         $rewardsData json_decode($order->getOrderRewardItems(), true);
  1110.         $rewards = [];
  1111.         if (!empty($rewardsData)) {
  1112.             foreach ($rewardsData as $rewardItem) {
  1113.                 $reward $entityManager->getRepository(Rewards::class)->find($rewardItem['rewardId']);
  1114.                 if ($reward) {
  1115.                     $rewards[] = [
  1116.                         'rewardId' => $reward->getId(),
  1117.                         'image' => 'https://api.theswarm.io/uploads/rewards_images/' $reward->getImage(),
  1118.                         'name' => $reward->getName(),
  1119.                         'type' => 'reward',
  1120.                         'points' => $reward->getPrice(),
  1121.                     ];
  1122.                 }
  1123.             }
  1124.         }
  1125.     
  1126.         $orderResponseJsonInfo $order->getRemoteResponse();
  1127.         $remote_order_id "";
  1128.         if ($orderResponseJsonInfo) {
  1129.             $remote_order_id $orderResponseJsonInfo['remoteResponse']['remoteOrderId'] ?? '';
  1130.         }
  1131.     
  1132.         return $this->json([
  1133.             'status' => true,
  1134.             'data' => [
  1135.                 'orderStatus' => $order->getOrderStatus(),
  1136.                 'orderNumber' => $order->getId(),
  1137.                 'restaurant_id' => $order->getRestaurantId(),
  1138.                 'remote_order_id' => $remote_order_id,
  1139.                 'dateAndTime' => $order->getCreatedAt()->format('Y-m-d H:i:s'),
  1140.                 'total_price' => $order->getTotalPrice(),
  1141.                 'used_reward_points' => $order->getUsedReward(),
  1142.                 'reward_points_gained' => $order->getGainedReward(),
  1143.                 'wallet_deduction' => $order->getWalletDeduct(),
  1144.                 'items' => $itemDetails,
  1145.                 'itemCount' => $itemCount,
  1146.                 'stripePaymentId' => $order->getStripeId(),
  1147.                 'rewards' => $rewards 
  1148.             ]
  1149.         ]);
  1150.     }
  1151.     
  1152.   
  1153.     #[Route('/api/ordering-status'name'api_ordering_status'methods: ['GET'])]
  1154.     public function getOrderingStatus(): JsonResponse
  1155.     {
  1156.         $configurations $this->configurationRepository->findAll();
  1157.     
  1158.         if (!$configurations) {
  1159.             return $this->json(['status' => false'message' => 'No configurations found''data' => new \stdClass()]);
  1160.         }
  1161.     
  1162.         $statusData = [];
  1163.         foreach ($configurations as $configuration) {
  1164.             $statusData[] = [
  1165.                 'restaurant' => $configuration->getDescription(),
  1166.                 'orderingEnabled' => $configuration->isOrderingEnabled(),
  1167.                 'message' => $configuration->isOrderingEnabled() ? '' 'Restaurant is currently not taking orders'
  1168.             ];
  1169.         }
  1170.     
  1171.         return $this->json([
  1172.             'status' => true,
  1173.             'data' => $statusData
  1174.         ]);
  1175.     } 
  1176.     
  1177.     #[Route('/api/order/status/{restaurantId}/{orderId}'name'api_order_status'methods: ['GET'])]
  1178.     public function getOrderStatus(EntityManagerInterface $entityManagerstring $restaurantIdstring $orderId): JsonResponse
  1179.     {
  1180.         try {
  1181.             // Fetch the order using remoteOrderId
  1182.             $order $entityManager->getRepository(Order::class)->findOneBy(['remote_order_id' => $orderId]);
  1183.     
  1184.             if (!$order) {
  1185.                 return $this->json([
  1186.                     'status' => false,
  1187.                     'message' => 'Order not found',
  1188.                     'data' => new \stdClass()
  1189.                 ]);
  1190.             }
  1191.     
  1192.             // Prepare common data
  1193.             $orderData = [
  1194.                 'lastModifyDate' => $order->getUpdatedAt()->format('Y-m-d\TH:i:s.v\Z'),
  1195.                 'orderReference' => 'ORDER#' $order->getId(),
  1196.                 'siteId' => '3447e2e9-57e6-47b8-aa54-4b8e8571e76d',
  1197.                 'additionalCosts' => [],
  1198.                 'orderId' => $order->getRemoteOrderId(),
  1199.                 'status' => ''// Will be set below
  1200.                 'creationDate' => $order->getCreatedAt()->format('Y-m-d\TH:i:s.v\Z'),
  1201.                 'paymentInfo' => [
  1202.                     [
  1203.                         'amount' => [
  1204.                             'amount' => $order->getTotalPrice(),
  1205.                             'currency' => 'EUR'
  1206.                         ],
  1207.                         'multipleOrderPayment' => false,
  1208.                         'brand' => 'creditcard',
  1209.                         'referenceId' => 'card',
  1210.                         'paymentType' => 'CARD',
  1211.                         'payOnDelivery' => false
  1212.                     ]
  1213.                 ],
  1214.                 'pickupInfo' => [
  1215.                     'firstName' => '',
  1216.                     'lastName' => '',
  1217.                     'pickupTime' => '',
  1218.                     'phone' => '',
  1219.                     'middleName' => null,
  1220.                     'comment' => null,
  1221.                     'email' => null
  1222.                 ],
  1223.                 'providerId' => 'e2e122e1-9481-65eb-8a0a-54079cb4211b',
  1224.                 'amountToPay' => [
  1225.                     'amount' => $order->getTotalPrice(),
  1226.                     'currency' => 'EUR'
  1227.                 ],
  1228.                 'possibleActions' => [],
  1229.                 'modifyHistory' => [],
  1230.                 'notes' => 'ORDER#' $order->getId(),
  1231.                 'providerName' => 'RANDALE APP',
  1232.                 'possibleStateChanges' => [],
  1233.                 'preOrder' => true,
  1234.                 'id' => Uuid::v4()->toRfc4122(),
  1235.                 'discounts' => [],
  1236.                 'customerId' => $order->getUserUuid(),
  1237.                 'items' => [],
  1238.             ];
  1239.     
  1240.             // Fetch user info
  1241.             $userInfo $entityManager->getRepository(UserInfo::class)->findOneBy(['firebaseId' => $order->getUserUuid()]);
  1242.             if ($userInfo) {
  1243.                 $fullName explode(' '$userInfo->getFullName(), 2);
  1244.                 $orderData['pickupInfo']['firstName'] = $fullName[0] ?? '';
  1245.                 $orderData['pickupInfo']['lastName'] = $fullName[1] ?? '';
  1246.                 $orderData['pickupInfo']['phone'] = $userInfo->getPhoneNumber();
  1247.                 $orderData['pickupInfo']['email'] = $userInfo->getEmail();
  1248.             }
  1249.     
  1250.             // Set pickup time
  1251.             if ($order->getPickupTime() > 0) {
  1252.                 $pickupMinutes $order->getPickupTime() ?? 20;
  1253.             } else {
  1254.                 $pickupMinutes 20;
  1255.             }
  1256.             
  1257.             $pickupTime = (clone $order->getUpdatedAt())->modify('+' $pickupMinutes ' minutes');
  1258.             $orderData['pickupInfo']['pickupTime'] = $pickupTime->format('Y-m-d\TH:i:s.v\Z');
  1259.     
  1260.             // Build items
  1261.             $orderItems json_decode($order->getOrderItemsJson(), true) ?? [];
  1262.             $rewardsData json_decode($order->getOrderRewardItems(), true) ?? [];
  1263.             $sortIndex 1;
  1264.     
  1265.             // Process order items
  1266.             foreach ($orderItems as $item) {
  1267.                 $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  1268.                 if ($foodItem) {
  1269.                     $internalId Uuid::v4()->toRfc4122();
  1270.                     $parentId $internalId;
  1271.     
  1272.                     $orderData['items'][] = [
  1273.                         'quantity' => $item['amount'],
  1274.                         'orderItemId' => (string)$foodItem->getId(),
  1275.                         'providerId' => 'e2e122e1-9481-65eb-8a0a-54079cb4211b',
  1276.                         'orderItemName' => $foodItem->getName(),
  1277.                         'relativeRowTotal' => [
  1278.                             'amount' => $foodItem->getPrice() * $item['amount'],
  1279.                             'currency' => 'EUR'
  1280.                         ],
  1281.                         'internalId' => $internalId,
  1282.                         'singlePrice' => [
  1283.                             'amount' => $foodItem->getPrice(),
  1284.                             'currency' => 'EUR'
  1285.                         ],
  1286.                         'orderId' => $order->getRemoteOrderId(),
  1287.                         'relativeQuantity' => $item['amount'],
  1288.                         'rowTotal' => [
  1289.                             'amount' => $foodItem->getPrice() * $item['amount'],
  1290.                             'currency' => 'EUR'
  1291.                         ],
  1292.                         'sortIndex' => $sortIndex++,
  1293.                         'posItemId' => $foodItem->getPosId()
  1294.                     ];
  1295.     
  1296.                     // Toppings
  1297.                     foreach ($item['toppings'] as $toppingData) {
  1298.                         $topping $entityManager->getRepository(Toppings::class)->find($toppingData['toppingId']);
  1299.                         if ($topping) {
  1300.                             $toppingInternalId Uuid::v4()->toRfc4122();
  1301.                             $orderData['items'][] = [
  1302.                                 'quantity' => $item['amount'], // Multiply by main item amount
  1303.                                 'singlePrice' => [
  1304.                                     'amount' => $topping->getPrice(),
  1305.                                     'currency' => 'EUR'
  1306.                                 ],
  1307.                                 'orderId' => $order->getRemoteOrderId(),
  1308.                                 'sortIndex' => $sortIndex++,
  1309.                                 'parentId' => $parentId,
  1310.                                 'rowTotal' => [
  1311.                                     'amount' => $topping->getPrice() * $item['amount'],
  1312.                                     'currency' => 'EUR'
  1313.                                 ],
  1314.                                 'posItemId' => $topping->getPosId(),
  1315.                                 'orderItemId' => (string)$topping->getId(),
  1316.                                 'providerId' => 'e2e122e1-9481-65eb-8a0a-54079cb4211b',
  1317.                                 'orderItemName' => $topping->getName(),
  1318.                                 'relativeRowTotal' => [
  1319.                                     'amount' => $topping->getPrice() * $item['amount'],
  1320.                                     'currency' => 'EUR'
  1321.                                 ],
  1322.                                 'internalId' => $toppingInternalId,
  1323.                                 'relativeQuantity' => $toppingData['amount']
  1324.                             ];
  1325.                         }
  1326.                     }
  1327.     
  1328.                     // Notes
  1329.                     if (!empty($item['note'])) {
  1330.                         $noteInternalId Uuid::v4()->toRfc4122();
  1331.                         $orderData['items'][] = [
  1332.                             'quantity' => $item['amount'],
  1333.                             'singlePrice' => [
  1334.                                 'amount' => 0,
  1335.                                 'currency' => 'EUR'
  1336.                             ],
  1337.                             'orderId' => $order->getRemoteOrderId(),
  1338.                             'sortIndex' => $sortIndex++,
  1339.                             'parentId' => $parentId,
  1340.                             'rowTotal' => [
  1341.                                 'amount' => 0,
  1342.                                 'currency' => 'EUR'
  1343.                             ],
  1344.                             'orderItemId' => Uuid::v4()->toRfc4122(),
  1345.                             'isNote' => true,
  1346.                             'providerId' => 'e2e122e1-9481-65eb-8a0a-54079cb4211b',
  1347.                             'orderItemName' => $item['note'],
  1348.                             'relativeRowTotal' => [
  1349.                                 'amount' => 0,
  1350.                                 'currency' => 'EUR'
  1351.                             ],
  1352.                             'internalId' => $noteInternalId,
  1353.                             'relativeQuantity' => 1
  1354.                         ];
  1355.                     }
  1356.                 }
  1357.             }
  1358.     
  1359.             // Process rewards as items
  1360.             foreach ($rewardsData as $rewardData) {
  1361.                 $reward $entityManager->getRepository(Rewards::class)->find($rewardData['rewardId']);
  1362.                 if ($reward) {
  1363.                     $internalId Uuid::v4()->toRfc4122();
  1364.                     $orderData['items'][] = [
  1365.                         'quantity' => 1,
  1366.                         'orderItemId' => 'reward_' $reward->getId(),
  1367.                         'providerId' => 'e2e122e1-9481-65eb-8a0a-54079cb4211b',
  1368.                         'orderItemName' => 'REWARD: ' $reward->getName(),
  1369.                         'relativeRowTotal' => [
  1370.                             'amount' => 0,
  1371.                             'currency' => 'EUR'
  1372.                         ],
  1373.                         'internalId' => $internalId,
  1374.                         'singlePrice' => [
  1375.                             'amount' => 0,
  1376.                             'currency' => 'EUR'
  1377.                         ],
  1378.                         'orderId' => $order->getRemoteOrderId(),
  1379.                         'relativeQuantity' => 1,
  1380.                         'rowTotal' => [
  1381.                             'amount' => 0,
  1382.                             'currency' => 'EUR'
  1383.                         ],
  1384.                         'sortIndex' => $sortIndex++,
  1385.                         'posItemId' => 'reward_' $reward->getId()
  1386.                     ];
  1387.                 }
  1388.             }
  1389.     
  1390.             // Handle order status
  1391.             $orderStatus $order->getOrderStatus();
  1392.     
  1393.             if ($orderStatus === 'dispatched') {
  1394.                 $orderData['status'] = 'acceptRequired';
  1395.                 $orderData['possibleActions'] = ['accept''reject'];
  1396.                 $orderData['modifyHistory'] = [
  1397.                     [
  1398.                         'status' => 'acceptRequired',
  1399.                         'updatedAt' => $order->getCreatedAt()->format('Y-m-d\TH:i:s.v\Z')
  1400.                     ]
  1401.                 ];
  1402.                 $orderData['possibleStateChanges'] = [];
  1403.             } elseif ($orderStatus === 'sent') {
  1404.                 $orderData['status'] = 'receivedByProvider';
  1405.                 $orderData['possibleActions'] = [
  1406.                     'rejectedByPOS',
  1407.                     'fetchedByPOS',
  1408.                     'acceptedByPOS',
  1409.                     'preparing',
  1410.                     'ready',
  1411.                     'pickedUp',
  1412.                     'inDelivery',
  1413.                     'delivered'
  1414.                 ];
  1415.                 $orderData['modifyHistory'] = [
  1416.                     [
  1417.                         'status' => 'acceptRequired',
  1418.                         'updatedAt' => $order->getCreatedAt()->format('Y-m-d\TH:i:s.v\Z')
  1419.                     ],
  1420.                     [
  1421.                         'status' => 'receivedByProvider',
  1422.                         'updatedAt' => $order->getUpdatedAt()->format('Y-m-d\TH:i:s.v\Z')
  1423.                     ]
  1424.                 ];
  1425.                 $orderData['possibleStateChanges'] = [
  1426.                     ['state' => 'rejectedByPOS''timeChange' => false],
  1427.                     ['state' => 'fetchedByPOS''timeChange' => false],
  1428.                     ['state' => 'acceptedByPOS''timeChange' => true],
  1429.                     ['state' => 'preparing''timeChange' => true],
  1430.                     ['state' => 'ready''timeChange' => true],
  1431.                     ['state' => 'pickedUp''timeChange' => true],
  1432.                     ['state' => 'inDelivery''timeChange' => true],
  1433.                     ['state' => 'delivered''timeChange' => true]
  1434.                 ];
  1435.             } elseif ($orderStatus === 'rejected') {
  1436.                 $orderData['status'] = 'rejectedByPOS';
  1437.                 $orderData['possibleActions'] = [];
  1438.                 $orderData['modifyHistory'] = [
  1439.                     [
  1440.                         'status' => 'acceptRequired',
  1441.                         'updatedAt' => $order->getCreatedAt()->format('Y-m-d\TH:i:s.v\Z')
  1442.                     ],
  1443.                     [
  1444.                         'status' => 'rejectedByPOS',
  1445.                         'updatedAt' => $order->getUpdatedAt()->format('Y-m-d\TH:i:s.v\Z')
  1446.                     ]
  1447.                 ];
  1448.                 $orderData['possibleStateChanges'] = [];
  1449.             } else {
  1450.                 $orderData['status'] = 'unknown';
  1451.                 $orderData['possibleActions'] = [];
  1452.                 $orderData['modifyHistory'] = [];
  1453.                 $orderData['possibleStateChanges'] = [];
  1454.             }
  1455.     
  1456.             // Set 'id' to match Mergeport's format (order's UUID)
  1457.             $orderData['id'] = $order->getRemoteOrderId();
  1458.     
  1459.             return $this->json([
  1460.                 'status' => true,
  1461.                 'message' => 'Order status retrieved successfully',
  1462.                 'data' => $orderData
  1463.             ]);
  1464.         } catch (\Throwable $e) {
  1465.             return $this->json([
  1466.                 'status' => false,
  1467.                 'message' => 'Failed to retrieve order status: ' $e->getMessage(),
  1468.                 'data' => new \stdClass()
  1469.             ]);
  1470.         }
  1471.     }
  1472.     
  1473.     #[Route('/api/order/status-backup/{restaurantId}/{orderId}'name'api_order_status_backup'methods: ['GET'])]
  1474.     public function getOrderStatusBackup(HttpClientInterface $httpClientstring $restaurantIdstring $orderId): JsonResponse
  1475.     {
  1476.         try {
  1477.             $restaurantRemoteId $this->getRestaurantRemoteId($restaurantId);
  1478.             if (!$restaurantRemoteId) {
  1479.                 return $this->json(['status' => false'message' => 'Restaurant ID Incorrect.']);
  1480.             }
  1481.            // $restaurant_remote_id = "33b73f97-1d10-4f41-9b76-fd9f61396951";
  1482.     
  1483.             $response $httpClient->request('GET'"https://ordering.mergeport.com/v4/hooks/main/e2e122e1-9481-65eb-8a0a-54079cb4211b/{$restaurantRemoteId}/orders/{$orderId}");
  1484.     
  1485.             if ($response->getStatusCode() !== 200) {
  1486.                 return $this->json([
  1487.                     'status' => false,
  1488.                     'message' => 'Failed to retrieve order status',
  1489.                     'data' => new \stdClass()
  1490.                 ]);
  1491.             }
  1492.     
  1493.             $responseData $response->toArray();
  1494.     
  1495.             $datetimeFields = [
  1496.                 'lastModifyDate',
  1497.                 'creationDate',
  1498.                 'modifyHistory' => ['updatedAt']
  1499.             ];
  1500.     
  1501.             foreach ($datetimeFields as $key => $field) {
  1502.                 if (is_array($field)) {
  1503.                     if (isset($responseData[$key])) {
  1504.                         foreach ($responseData[$key] as &$history) {
  1505.                             if (isset($history[$field[0]])) {
  1506.                                 $originalDateTime = new \DateTime($history[$field[0]], new \DateTimeZone('UTC'));
  1507.                                 $originalDateTime->setTimezone(new \DateTimeZone('Europe/Vienna'));
  1508.                                 $history[$field[0]] = $originalDateTime->format('Y-m-d\TH:i:s.v\Z');
  1509.                             }
  1510.                         }
  1511.                     }
  1512.                 } else {
  1513.                     if (isset($responseData[$field])) {
  1514.                         $originalDateTime = new \DateTime($responseData[$field], new \DateTimeZone('UTC'));
  1515.                         $originalDateTime->setTimezone(new \DateTimeZone('Europe/Vienna'));
  1516.                         $responseData[$field] = $originalDateTime->format('Y-m-d\TH:i:s.v\Z');
  1517.                     }
  1518.                 }
  1519.             }
  1520.     
  1521.             if (isset($responseData['pickupInfo']['pickupTime'])) {
  1522.                 $originalDateTime = new \DateTime($responseData['pickupInfo']['pickupTime'], new \DateTimeZone('UTC'));
  1523.                 $originalDateTime->setTimezone(new \DateTimeZone('Europe/Vienna'));
  1524.                 $responseData['pickupInfo']['pickupTime'] = $originalDateTime->format('Y-m-d\TH:i:s.v\Z');
  1525.             }
  1526.     
  1527.             return $this->json([
  1528.                 'status' => true,
  1529.                 'message' => 'Order status retrieved successfully',
  1530.                 'data' => $responseData
  1531.             ]);
  1532.         } catch (\Throwable $e) {
  1533.             return $this->json([
  1534.                 'status' => false,
  1535.                 'message' => 'Failed to retrieve order status: ' $e->getMessage(),
  1536.                 'data' => new \stdClass()
  1537.             ]);
  1538.         }
  1539.     }
  1540.     public function getRestaurantRemoteId($restaurant) {
  1541.         // this is a key for test mode. if you uncomment this line, it will make a test order.
  1542.        // return "33b73f97-1d10-4f41-9b76-fd9f61396951";
  1543.         // return "test-cashit-12dev34";
  1544.         if ($restaurant == 1) {
  1545.             // this is for 1020 restaurant
  1546.             return "141e28eb-ee4b-4473-b693-84cdbedc9126";
  1547.         }
  1548.         if ($restaurant == 2) {
  1549.             // this is for 1050 restaurant
  1550.             return "a0a268e7-0291-475a-8324-f5836ef8bfee";
  1551.         }
  1552.         if ($restaurant == 3) {
  1553.             // this is for 1020 Hillerstrasse
  1554.             return "815705da-b49a-499b-a461-6f1fcd0f11c8";
  1555.         }
  1556.         return false;
  1557.     }
  1558.     
  1559.     
  1560.     #[Route('/order/refund/{orderId}'name'api_refund_order'methods: ['POST'])]
  1561.     public function refundOrderEndpoint(int $orderIdRequest $requestEntityManagerInterface $entityManagerHttpClientInterface $httpClient): JsonResponse
  1562.     {
  1563.         $authHeader $request->headers->get('Authorization');
  1564.         $jwt $authHeader str_replace('Bearer '''$authHeader) : null;
  1565.     
  1566.         if (!$jwt) {
  1567.             return $this->json([
  1568.                 'status' => false,
  1569.                 'message' => 'Authorization token not found',
  1570.                 'data' => new \stdClass()
  1571.             ]);
  1572.         }
  1573.     
  1574.         $projectDir $this->getParameter('kernel.project_dir');
  1575.         $serviceAccountPath $projectDir '/config/firebase_service_account.json';
  1576.         $factory = (new Factory)->withServiceAccount($serviceAccountPath);
  1577.         $firebaseAuth $factory->createAuth();
  1578.     
  1579.         try {
  1580.             $decodedToken $firebaseAuth->verifyIdToken($jwt);
  1581.             $currentUserId $decodedToken->claims()->get('sub');
  1582.         } catch (\Throwable $e) {
  1583.             return $this->json([
  1584.                 'status' => false,
  1585.                 'message' => 'Invalid token: ' $e->getMessage(),
  1586.                 'data' => new \stdClass()
  1587.             ]);
  1588.         }
  1589.     
  1590.         // Fetch order
  1591.         $order $entityManager->getRepository(Order::class)->find($orderId);
  1592.         if (!$order) {
  1593.             return $this->json([
  1594.                 'status' => false,
  1595.                 'message' => 'Order not found',
  1596.                 'data' => new \stdClass()
  1597.             ]);
  1598.         }
  1599.    
  1600.         if ($order->getOrderStatus() != "rejected") {
  1601.             return $this->json([
  1602.                 'status' => false,
  1603.                 'message' => 'Order not rejected',
  1604.                 'data' => new \stdClass()
  1605.             ]);
  1606.         }
  1607.         if ($order->getOrderStatus() === 'refunded') {
  1608.             return $this->json([
  1609.                 'status' => false,
  1610.                 'message' => 'Order already refunded',
  1611.                 'data' => new \stdClass()
  1612.             ]);
  1613.         }
  1614.         // Check if the current user is the owner of the order
  1615.         if ($order->getUserUuid() !== $currentUserId) {
  1616.             return $this->json([
  1617.                 'status' => false,
  1618.                 'message' => 'Unauthorized action',
  1619.                 'data' => new \stdClass()
  1620.             ]);
  1621.         }
  1622.     
  1623.         // Check order status on Mergeport
  1624.         $restaurantRemoteId $this->getRestaurantRemoteId($order->getRestaurantId());
  1625.         $remoteOrderId $order->getRemoteOrderId();
  1626.     
  1627.         /*$response = $httpClient->request('GET', "https://ordering.mergeport.com/v4/hooks/main/e2e122e1-9481-65eb-8a0a-54079cb4211b/{$restaurantRemoteId}/orders/{$remoteOrderId}");
  1628.     
  1629.         if ($response->getStatusCode() !== 200) {
  1630.             return $this->json([
  1631.                 'status' => false,
  1632.                 'message' => 'Failed to verify order status with Mergeport',
  1633.                 'data' => new \stdClass()
  1634.             ]);
  1635.         }
  1636.     
  1637.         $responseData = $response->toArray();
  1638.         $orderStatus = $responseData['status'] ?? null;
  1639.     
  1640.         if ($orderStatus !== 'rejectedByPOS') {
  1641.             return $this->json([
  1642.                 'status' => false,
  1643.                 'message' => 'Order not rejected by POS',
  1644.                 'data' => new \stdClass()
  1645.             ]);
  1646.         }*/
  1647.     
  1648.         // Process refund
  1649.         $requestData json_decode($request->getContent(), true);
  1650.         $stripeTransactionId $requestData['stripeTransactionId'] ?? null;
  1651.     
  1652.        /* if (!$stripeTransactionId) {
  1653.             return $this->json([
  1654.                 'status' => false,
  1655.                 'message' => 'Stripe transaction ID not provided',
  1656.                 'data' => new \stdClass()
  1657.             ]);
  1658.         } */
  1659.     
  1660.         // Refund wallet amount if used
  1661.         $userInfo $entityManager->getRepository(UserInfo::class)->findOneBy(['firebaseId' => $order->getUserUuid()]);
  1662.     
  1663.         if (!$userInfo) {
  1664.             return $this->json([
  1665.                 'status' => false,
  1666.                 'message' => 'User not found',
  1667.                 'data' => new \stdClass()
  1668.             ]);
  1669.         }
  1670.     
  1671.         $walletDeduction $order->getWalletDeduct();
  1672.         $usedRewardPoints $order->getUsedReward();
  1673.         $gainedRewardPoints $order->getGainedReward();
  1674.         $orderRestaurantId $order->getRestaurantId();
  1675.     
  1676.         if ($orderRestaurantId == 1) {
  1677.             // 1020
  1678.             $stripeSecretKey "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";
  1679.              // $stripeSecretKey = "sk_test_51OkOVYC5nPVM0E9wnplSNZBJdSNFRsmrPCyV9wE8EMlUQdWIGW0UeibzMDY83krhkjkDEt4O1ribK2I1EYNHPJsD00E225VPBn";
  1680.         } else if ($orderRestaurantId == 3) {
  1681.             // 1020 Hillerstrasse
  1682.             $stripeSecretKey "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";
  1683.             //$stripeSecretKey = "sk_test_51OkO9hJyT34EfWu7DPRY56ZLie8S4koWNLP2boiKZj0hc3ce4inIYHufkqLUJOMH5siwycQkT2zs6MkdSKFNiV0f009XcDtdh4";
  1684.         } else {
  1685.         // 1050
  1686.         $stripeSecretKey "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";
  1687.         //$stripeSecretKey = "sk_test_51OkO9hJyT34EfWu7DPRY56ZLie8S4koWNLP2boiKZj0hc3ce4inIYHufkqLUJOMH5siwycQkT2zs6MkdSKFNiV0f009XcDtdh4";
  1688.         }
  1689.     
  1690.         if ($walletDeduction 0) {
  1691.             $userInfo->setWalletAmount($userInfo->getWalletAmount() + $walletDeduction);
  1692.         }
  1693.     
  1694.         if ($gainedRewardPoints 0) {
  1695.             $userInfo->setRewardPoints($userInfo->getRewardPoints() - $gainedRewardPoints);
  1696.         }        
  1697.     
  1698.         if ($usedRewardPoints 0) {
  1699.             $userInfo->setRewardPoints($userInfo->getRewardPoints() + $usedRewardPoints);
  1700.         }
  1701.     
  1702.         // Refund Stripe payment if applicable
  1703.       /*  if ($stripeTransactionId) {
  1704.             try {
  1705.                 $refundResponse = $httpClient->request('POST', "https://api.stripe.com/v1/refunds", [
  1706.                     'auth_bearer' => $stripeSecretKey,
  1707.                     'body' => [
  1708.                         'charge' => $stripeTransactionId,
  1709.                         'amount' => $order->getTotalPrice(),
  1710.                     ],
  1711.                 ]);
  1712.     
  1713.                 $refundData = $refundResponse->toArray();
  1714.     
  1715.                 if ($refundResponse->getStatusCode() !== 200) {
  1716.                     return $this->json([
  1717.                         'status' => false,
  1718.                         'message' => 'Failed to process Stripe refund: ' . ($refundData['error']['message'] ?? 'Unknown error'),
  1719.                         'data' => new \stdClass()
  1720.                     ]);
  1721.                 }
  1722.             } catch (\Throwable $e) {
  1723.                 return $this->json([
  1724.                     'status' => false,
  1725.                     'message' => 'Stripe refund error: ' . $e->getMessage(),
  1726.                     'data' => new \stdClass()
  1727.                 ]);
  1728.             }
  1729.         }*/
  1730.         if ($stripeTransactionId) {
  1731.             try {
  1732.     
  1733.                 \Stripe\Stripe::setApiKey($stripeSecretKey);
  1734.                 
  1735.                 $chargedAmount $order->getTotalPrice() - $order->getWalletDeduct();
  1736.                 $refund \Stripe\Refund::create([
  1737.                     'payment_intent' => $stripeTransactionId,
  1738.                     'amount' => $chargedAmount,
  1739.                     'reason' => 'requested_by_customer',
  1740.                 ]);
  1741.         
  1742.                 if (!$refund || !$refund->status || $refund->status !== 'succeeded') {
  1743.                     return $this->json([
  1744.                         'status' => false,
  1745.                         'message' => 'Failed to process Stripe refund: ' . ($refund->failure_reason ?? 'Unknown error'),
  1746.                         'data' => new \stdClass()
  1747.                     ]);
  1748.                 }
  1749.         
  1750.             } catch (\Stripe\Exception\ApiErrorException $e) {
  1751.                 return $this->json([
  1752.                     'status' => false,
  1753.                     'message' => 'Stripe refund error: ' $e->getMessage(),
  1754.                     'data' => new \stdClass()
  1755.                 ]);
  1756.             }
  1757.         }
  1758.         
  1759.         
  1760.         
  1761.         // Update the order status to reflect the refund
  1762.         $order->setOrderStatus('refunded');
  1763.         $entityManager->persist($order);
  1764.         $entityManager->persist($userInfo);
  1765.     
  1766.         // Log the reversal in RewardsHistory if applicable
  1767.         if ($usedRewardPoints 0) {
  1768.             $rewardsHistory = new RewardsHistory();
  1769.             $rewardsHistory->setUserUuid($order->getUserUuid());
  1770.             $rewardsHistory->setAmount($usedRewardPoints);
  1771.             $rewardsHistory->setChangeType('refund');
  1772.             $rewardsHistory->setTransactionDate(new \DateTime());
  1773.             $rewardsHistory->setDescription('Reward points refunded for order cancellation');
  1774.             $entityManager->persist($rewardsHistory);
  1775.         }
  1776.     
  1777.         if ($gainedRewardPoints 0) {
  1778.             $rewardsHistory = new RewardsHistory();
  1779.             $rewardsHistory->setUserUuid($order->getUserUuid());
  1780.             $rewardsHistory->setAmount($gainedRewardPoints);
  1781.             $rewardsHistory->setChangeType('reversal');
  1782.             $rewardsHistory->setTransactionDate(new \DateTime());
  1783.             $rewardsHistory->setDescription('Reward points reversal for order cancellation');
  1784.             $entityManager->persist($rewardsHistory);
  1785.         }
  1786.     
  1787.         $entityManager->flush();
  1788.         $this->sendRefundEmail($order$userInfo);
  1789.     
  1790.         return $this->json([
  1791.             'status' => true,
  1792.             'message' => 'Refund processed successfully',
  1793.             'data' => new \stdClass()
  1794.         ]);
  1795.     }
  1796.     private function sendOrderSuccessEmail(Order $orderUserInfo $userInfo): void
  1797.     {
  1798.         $orderDetails = [
  1799.             'orderNumber' => $order->getId(),
  1800.             'restaurantId' => $order->getRestaurantId(),
  1801.             'orderItems' => json_decode($order->getOrderItemsNames(), true),
  1802.             'totalPrice' => $order->getTotalPrice(),
  1803.             'usedRewardPoints' => $order->getUsedReward(),
  1804.             'gainedRewardPoints' => $order->getGainedReward(),
  1805.             'walletDeduction' => $order->getWalletDeduct(),
  1806.             'orderDate' => $order->getCreatedAt()->format('Y-m-d H:i:s'),
  1807.         ];
  1808.         // SMTP configuration
  1809.         $transport = new EsmtpTransport('w0194057.kasserver.com'587);
  1810.         $transport->setUsername('[email protected]');
  1811.         $transport->setPassword('A6KUDzkzwDgdmXPiJaak');
  1812.         $mailer = new Mailer($transport);
  1813.         $htmlContent '
  1814.             <html>
  1815.             <body>
  1816.                 <h2>Your Order Has Been Placed Successfully</h2>
  1817.                 <p>Thank you for your order! Here are the details:</p>
  1818.                 <ul>
  1819.                     <li><strong>Order Number:</strong> #' $orderDetails['orderNumber'] . '</li>
  1820.                     <li><strong>Total Price:</strong> ' $orderDetails['totalPrice']/100 ' EUR</li>
  1821.                     <li><strong>Used Reward Points:</strong> ' $orderDetails['usedRewardPoints'] . '</li>
  1822.                     <li><strong>Gained Reward Points:</strong> ' $orderDetails['gainedRewardPoints'] . '</li>
  1823.                     <li><strong>Wallet Deduction:</strong> ' $orderDetails['walletDeduction']/100 ' EUR</li>
  1824.                     <li><strong>Order Date:</strong> ' date("d.m.Y H:i:s", @strtotime($orderDetails['orderDate'])) . '</li>
  1825.                 </ul>
  1826.                 <p>Order Items:</p>
  1827.                 <ul>';
  1828.         
  1829.         foreach ($orderDetails['orderItems'] as $item) {
  1830.             $itemQuantity 1;
  1831.             if (isset($item['quantity'])) {
  1832.                 $itemQuantity $item['quantity'];
  1833.             }
  1834.             $itemTotalPrice "";
  1835.             if (isset($item['totalPrice'])) {
  1836.                 $itemTotalPrice $item['totalPrice']/100;
  1837.             }
  1838.             $htmlContent .= '<li>' $item['name'] . ' x ' .  $itemQuantity ' - ' $itemTotalPrice ' EUR</li>';
  1839.         }
  1840.         $htmlContent .= '
  1841.                 </ul>
  1842.                 <p>We hope you enjoy your meal!</p>
  1843.             </body>
  1844.             </html>';
  1845.         // Send email
  1846.         $email = (new Email())
  1847.             ->from(new Address('[email protected]''Randale'))
  1848.             ->to($userInfo->getEmail())
  1849.             ->subject('Pizza Randale: Your Order Has Been Placed Successfully')
  1850.             ->html($htmlContent);
  1851.         $mailer->send($email);
  1852.     }
  1853.     private function sendRefundEmail(Order $orderUserInfo $userInfo): void
  1854.     {
  1855.         $refundDetails = [
  1856.             'orderNumber' => $order->getId(),
  1857.             'totalRefunded' => $order->getTotalPrice(),
  1858.             'walletRefund' => $order->getWalletDeduct(),
  1859.             'stripeRefund' => $order->getTotalPrice() - $order->getWalletDeduct(),
  1860.             'refundDate' => (new \DateTime())->format('Y-m-d H:i:s'),
  1861.         ];
  1862.             
  1863.         // SMTP configuration
  1864.         $transport = new EsmtpTransport('w0194057.kasserver.com'587);
  1865.         $transport->setUsername('[email protected]');
  1866.         $transport->setPassword('tsFN5ckDFKTNkZeNtp9C');
  1867.     
  1868.         $mailer = new Mailer($transport);
  1869.     
  1870.         $htmlContent '
  1871.             <html>
  1872.             <body>
  1873.                 <h2>Your Order Has Been Refunded</h2>
  1874.                 <p>Your order has been refunded successfully. Here are the details:</p>
  1875.                 <ul>
  1876.                     <li><strong>Order Number:</strong> ' $refundDetails['orderNumber'] . '</li>
  1877.                     <li><strong>Total Refunded:</strong> ' $refundDetails['totalRefunded']/100 ' EUR</li>
  1878.                     <li><strong>Wallet Refund:</strong> ' $refundDetails['walletRefund']/100 ' EUR</li>
  1879.                     <li><strong>Stripe Refund:</strong> ' $refundDetails['stripeRefund']/100 ' EUR</li>
  1880.                     <li><strong>Refund Date:</strong> ' date("d.m.Y H:i:s", @strtotime($refundDetails['refundDate'])) . '</li>
  1881.                 </ul>
  1882.                 <p>If you have any questions, feel free to contact our support team.</p>
  1883.             </body>
  1884.             </html>';
  1885.     
  1886.         // Send email
  1887.         $email = (new Email())
  1888.             ->from(new Address('[email protected]''Randale'))
  1889.             ->to($userInfo->getEmail())
  1890.             ->subject('Your Order Has Been Refunded')
  1891.             ->html($htmlContent);
  1892.     
  1893.         $mailer->send($email);
  1894.     }
  1895.     #[Route('/api/orders/list/{restaurantId}'name'api_orders_list'methods: ['GET'])]
  1896.     public function listOrders(EntityManagerInterface $entityManagerint $restaurantId): JsonResponse
  1897.     {
  1898.         $todayStart = (new \DateTime())->setTime(000);
  1899.         $todayEnd = (new \DateTime())->setTime(235959);
  1900.         $dispatchedOrdersQuery $entityManager->getRepository(Order::class)->createQueryBuilder('o')
  1901.             ->where('o.order_status = :status')
  1902.             ->andWhere('o.restaurant_id = :restaurantId')
  1903.             ->andWhere('o.created_at BETWEEN :todayStart AND :todayEnd')
  1904.             ->setParameter('status''dispatched')
  1905.             ->setParameter('restaurantId'$restaurantId)
  1906.             ->setParameter('todayStart'$todayStart)
  1907.             ->setParameter('todayEnd'$todayEnd)
  1908.             ->orderBy('o.id''DESC')
  1909.             ->getQuery();
  1910.         $dispatchedOrders $dispatchedOrdersQuery->getResult();
  1911.         $orderHistoryQuery $entityManager->getRepository(Order::class)->createQueryBuilder('o')
  1912.             ->where('o.order_status IN (:statuses)')
  1913.             ->andWhere('o.restaurant_id = :restaurantId')
  1914.             ->andWhere('o.created_at BETWEEN :todayStart AND :todayEnd')
  1915.             ->setParameter('statuses', ['sent''rejected'])
  1916.             ->setParameter('restaurantId'$restaurantId)
  1917.             ->setParameter('todayStart'$todayStart)
  1918.             ->setParameter('todayEnd'$todayEnd)
  1919.             ->orderBy('o.id''DESC')
  1920.             ->getQuery();
  1921.         $orderHistory $orderHistoryQuery->getResult();
  1922.         $orders array_map(function ($order) use ($entityManager) {
  1923.             $items json_decode($order->getOrderItemsJson(), true);
  1924.             $orderItems = [];
  1925.             foreach ($items as $item) {
  1926.                 $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  1927.                 if (!$foodItem) {
  1928.                     continue;
  1929.                 }
  1930.                 $toppings array_map(function ($topping) use ($entityManager$item) {
  1931.                     $toppingEntity $entityManager->getRepository(Toppings::class)->find($topping['toppingId']);
  1932.                     if ($toppingEntity) {
  1933.                         return [
  1934.                             'name' => $toppingEntity->getName(),
  1935.                             'amount' => $topping['amount'],
  1936.                             'unitPrice' => $toppingEntity->getPrice() / 100,
  1937.                             'totalPrice' => ($toppingEntity->getPrice() * $topping['amount'] * $item['amount']) / 100
  1938.                         ];
  1939.                     }
  1940.                     return null;
  1941.                 }, $item['toppings'] ?? []);
  1942.                 $toppings array_filter($toppings);
  1943.                 $orderItems[] = [
  1944.                     'name' => $foodItem->getName(),
  1945.                     'amount' => $item['amount'],
  1946.                     'unitPrice' => $foodItem->getPrice() / 100,
  1947.                     'totalPrice' => ($foodItem->getPrice() * $item['amount']) / 100,
  1948.                     'toppings' => $toppings
  1949.                 ];
  1950.             }
  1951.             $rewardItems = [];
  1952.             $rewardData json_decode($order->getOrderRewardItems(), true);
  1953.             if (!empty($rewardData)) {
  1954.                 foreach ($rewardData as $rewardItem) {
  1955.                     $reward $entityManager->getRepository(Rewards::class)->find($rewardItem['rewardId']);
  1956.                     if ($reward) {
  1957.                         $rewardItems[] = [
  1958.                             'name' => $reward->getName(),
  1959.                             'points' => $reward->getPrice(),
  1960.                         ];
  1961.                     }
  1962.                 }
  1963.             }
  1964.             return [
  1965.                 'id' => $order->getId(),
  1966.                 'status' => $order->getOrderStatus(),
  1967.                 'restaurantId' => $order->getRestaurantId(),
  1968.                 'time' => $order->getCreatedAt()->format('Y-m-d\TH:i:s'),
  1969.                 'total_price' => $order->getTotalPrice() / 100,
  1970.                 'walletDeduction' => $order->getWalletDeduct() / 100,
  1971.                 'usedRewardPoints' => $order->getUsedReward(),
  1972.                 'gainedRewardPoints' => $order->getGainedReward(),
  1973.                 'orderItems' => $orderItems,
  1974.                 'rewards' => $rewardItems
  1975.             ];
  1976.         }, $dispatchedOrders);
  1977.         $history array_map(function ($order) use ($entityManager) {
  1978.             $items json_decode($order->getOrderItemsJson(), true);
  1979.             $orderItems = [];
  1980.             foreach ($items as $item) {
  1981.                 $foodItem $entityManager->getRepository(FoodItem::class)->find($item['itemId']);
  1982.                 if (!$foodItem) {
  1983.                     continue;
  1984.                 }
  1985.                 $toppings array_map(function ($topping) use ($entityManager$item) {
  1986.                     $toppingEntity $entityManager->getRepository(Toppings::class)->find($topping['toppingId']);
  1987.                     if ($toppingEntity) {
  1988.                         return [
  1989.                             'name' => $toppingEntity->getName(),
  1990.                             'amount' => $topping['amount'],
  1991.                             'unitPrice' => $toppingEntity->getPrice() / 100,
  1992.                             'totalPrice' => ($toppingEntity->getPrice() * $topping['amount'] * $item['amount']) / 100
  1993.                         ];
  1994.                     }
  1995.                     return null;
  1996.                 }, $item['toppings'] ?? []);
  1997.                 $toppings array_filter($toppings);
  1998.                 $orderItems[] = [
  1999.                     'name' => $foodItem->getName(),
  2000.                     'amount' => $item['amount'],
  2001.                     'unitPrice' => $foodItem->getPrice() / 100,
  2002.                     'totalPrice' => ($foodItem->getPrice() * $item['amount']) / 100,
  2003.                     'toppings' => $toppings
  2004.                 ];
  2005.             }
  2006.             $rewardItems = [];
  2007.             $rewardData json_decode($order->getOrderRewardItems(), true);
  2008.             if (!empty($rewardData)) {
  2009.                 foreach ($rewardData as $rewardItem) {
  2010.                     $reward $entityManager->getRepository(Rewards::class)->find($rewardItem['rewardId']);
  2011.                     if ($reward) {
  2012.                         $rewardItems[] = [
  2013.                             'name' => $reward->getName(),
  2014.                             'points' => $reward->getPrice(),
  2015.                         ];
  2016.                     }
  2017.                 }
  2018.             }
  2019.             return [
  2020.                 'id' => $order->getId(),
  2021.                 'status' => $order->getOrderStatus(),
  2022.                 'restaurantId' => $order->getRestaurantId(),
  2023.                 'time' => $order->getCreatedAt()->format('Y-m-d\TH:i:s'),
  2024.                 'total_price' => $order->getTotalPrice() / 100,
  2025.                 'walletDeduction' => $order->getWalletDeduct() / 100,
  2026.                 'usedRewardPoints' => $order->getUsedReward(),
  2027.                 'gainedRewardPoints' => $order->getGainedReward(),
  2028.                 'orderItems' => $orderItems,
  2029.                 'rewards' => $rewardItems
  2030.             ];
  2031.         }, $orderHistory);
  2032.         return $this->json(['orders' => $orders'history' => $history]);
  2033.     }
  2034.     
  2035.     #[Route('/admin/approve-order/{orderId}/{restaurantId}'name'admin_approve_order'methods: ['POST'])]
  2036.     public function approveOrder(int $orderIdint $restaurantIdRequest $requestEntityManagerInterface $entityManagerHttpClientInterface $httpClient): JsonResponse
  2037.     {
  2038.         $order $entityManager->getRepository(Order::class)->find($orderId);
  2039.     
  2040.         if (!$order || $order->getOrderStatus() !== 'dispatched') {
  2041.             return $this->json(['status' => false'message' => 'Order not found or already processed']);
  2042.         }
  2043.     
  2044.         $data json_decode($request->getContent(), true);
  2045.         $pickupTime $data['pickupTime'] ?? 20;
  2046.         $order->setPickupTime($pickupTime);
  2047.         $entityManager->persist($order);
  2048.         $entityManager->flush();
  2049.     
  2050.         try {
  2051.             $this->dispatchOrderMergeport($order$restaurantId$pickupTime$entityManager$httpClient);
  2052.         } catch (\Exception $e) {
  2053.             return $this->json(['status' => false'message' => $e->getMessage()]);
  2054.         }
  2055.     
  2056.         return $this->json(['status' => true'message' => 'Order accepted and forwarded to Mergeport']);
  2057.     }
  2058.     
  2059.     
  2060.     #[Route('/admin/reject-order/{orderId}'name'admin_reject_order'methods: ['POST'])]
  2061.     public function rejectOrder(int $orderIdEntityManagerInterface $entityManager): JsonResponse
  2062.     {
  2063.         $order $entityManager->getRepository(Order::class)->find($orderId);
  2064.         if (!$order || $order->getOrderStatus() !== 'dispatched') {
  2065.             return $this->json(['status' => false'message' => 'Order not found or already processed']);
  2066.         }
  2067.         $order->setOrderStatus('rejected');
  2068.         $order->setUpdatedAt(new \DateTime()); 
  2069.         $entityManager->persist($order);
  2070.         $entityManager->flush();
  2071.         return $this->json(['status' => true'message' => 'Order rejected']);
  2072.     }
  2073.     #[Route('/reject-old-orders'name'reject_old_orders'methods: ['GET'])]
  2074.     public function rejectOldOrders(EntityManagerInterface $entityManager): JsonResponse
  2075.     {
  2076.         return $this->json(['status' => false'message' => 'feature disabled']);
  2077.         /*
  2078.         $tenMinutesAgo = new \DateTime('-10 minutes');
  2079.         $orders = $entityManager->getRepository(Order::class)
  2080.             ->createQueryBuilder('o')
  2081.             ->where('o.order_status = :status')
  2082.             ->andWhere('o.created_at <= :time')
  2083.             ->setParameter('status', 'dispatched')
  2084.             ->setParameter('time', $tenMinutesAgo)
  2085.             ->getQuery()
  2086.             ->getResult();
  2087.         $rejectedCount = 0;
  2088.         foreach ($orders as $order) {
  2089.             $order->setOrderStatus('rejected');
  2090.             $order->setUpdatedAt(new \DateTime());
  2091.             $entityManager->persist($order);
  2092.             $rejectedCount++;
  2093.         }
  2094.         $entityManager->flush();
  2095.         return $this->json([
  2096.             'status' => true,
  2097.             'message' => "$rejectedCount orders automatically rejected"
  2098.         ]);*/
  2099.     }
  2100. }