You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

1016 lines
41KB

  1. <?php
  2. /**
  3. * Copyright distrib (2018)
  4. *
  5. * contact@opendistrib.net
  6. *
  7. * Ce logiciel est un programme informatique servant à aider les producteurs
  8. * à distribuer leur production en circuits courts.
  9. *
  10. * Ce logiciel est régi par la licence CeCILL soumise au droit français et
  11. * respectant les principes de diffusion des logiciels libres. Vous pouvez
  12. * utiliser, modifier et/ou redistribuer ce programme sous les conditions
  13. * de la licence CeCILL telle que diffusée par le CEA, le CNRS et l'INRIA
  14. * sur le site "http://www.cecill.info".
  15. *
  16. * En contrepartie de l'accessibilité au code source et des droits de copie,
  17. * de modification et de redistribution accordés par cette licence, il n'est
  18. * offert aux utilisateurs qu'une garantie limitée. Pour les mêmes raisons,
  19. * seule une responsabilité restreinte pèse sur l'auteur du programme, le
  20. * titulaire des droits patrimoniaux et les concédants successifs.
  21. *
  22. * A cet égard l'attention de l'utilisateur est attirée sur les risques
  23. * associés au chargement, à l'utilisation, à la modification et/ou au
  24. * développement et à la reproduction du logiciel par l'utilisateur étant
  25. * donné sa spécificité de logiciel libre, qui peut le rendre complexe à
  26. * manipuler et qui le réserve donc à des développeurs et des professionnels
  27. * avertis possédant des connaissances informatiques approfondies. Les
  28. * utilisateurs sont donc invités à charger et tester l'adéquation du
  29. * logiciel à leurs besoins dans des conditions permettant d'assurer la
  30. * sécurité de leurs systèmes et ou de leurs données et, plus généralement,
  31. * à l'utiliser et l'exploiter dans les mêmes conditions de sécurité.
  32. *
  33. * Le fait que vous puissiez accéder à cet en-tête signifie que vous avez
  34. * pris connaissance de la licence CeCILL, et que vous en avez accepté les
  35. * termes.
  36. */
  37. namespace producer\controllers;
  38. use common\helpers\GlobalParam;
  39. use common\helpers\Mailjet;
  40. use common\helpers\MeanPayment;
  41. use common\helpers\Password;
  42. use common\logic\Distribution\Distribution\Model\Distribution;
  43. use common\logic\Order\Order\Model\Order;
  44. use common\logic\Order\ProductOrder\Model\ProductOrder;
  45. use common\logic\PointSale\PointSale\Model\PointSale;
  46. use common\logic\Producer\Producer\Model\Producer;
  47. use common\logic\Product\Product\Model\Product;
  48. use common\logic\User\CreditHistory\Model\CreditHistory;
  49. use common\logic\User\User\Model\User;
  50. use DateTime;
  51. use yii\base\UserException;
  52. use yii\data\ActiveDataProvider;
  53. use yii\filters\AccessControl;
  54. use yii\web\NotFoundHttpException;
  55. class OrderController extends ProducerBaseController
  56. {
  57. var $enableCsrfValidation = false;
  58. public function behaviors()
  59. {
  60. return [
  61. 'access' => [
  62. 'class' => AccessControl::class,
  63. 'only' => [
  64. 'history',
  65. 'remove-producer',
  66. 'cancel'
  67. ],
  68. 'rules' => [
  69. [
  70. 'allow' => true,
  71. 'roles' => ['@']
  72. ]
  73. ],
  74. ],
  75. ];
  76. }
  77. public function actionOrder(int $id = 0, $date = '')
  78. {
  79. $orderManager = $this->getOrderManager();
  80. $distributionManager = $this->getDistributionManager();
  81. $params = [];
  82. $producer = $this->getProducerCurrent();
  83. if (\Yii::$app->user->isGuest && !$producer->option_allow_order_guest) {
  84. return $this->redirect(
  85. $this->getUrlManagerFrontend()->createAbsoluteUrl(['site/producer', 'id' => $producer->id])
  86. );
  87. }
  88. $order = $orderManager->findOneOrderById($id);
  89. if ($order && $orderManager->isOrderStateOpen($order)) {
  90. $params['order'] = $order;
  91. }
  92. if ($distributionManager->isDistributionDateAvailable($date)) {
  93. $params['date'] = $date;
  94. }
  95. return $this->render('order', $params);
  96. }
  97. /**
  98. * Affiche l'historique des commandes de l'utilisateur.
  99. */
  100. public function actionHistory($type = 'incoming')
  101. {
  102. $queryHistoryArray = $this->getOrderManager()
  103. ->queryOrdersHistory($this->getProducerCurrent(), $this->getUserCurrent());
  104. $queryHistoryIncoming = $queryHistoryArray['incoming'];
  105. $queryHistoryPassed = $queryHistoryArray['passed'];
  106. $dataProviderOrders = new ActiveDataProvider([
  107. 'query' => ($type == 'incoming') ? $queryHistoryIncoming : $queryHistoryPassed,
  108. 'pagination' => [
  109. 'pageSize' => 10,
  110. ],
  111. ]);
  112. return $this->render('history', [
  113. 'dataProviderOrders' => $dataProviderOrders,
  114. 'orderOk' => \Yii::$app->getRequest()->get('orderOk', false),
  115. 'cancelOk' => \Yii::$app->getRequest()->get('cancelOk', false),
  116. 'type' => $type,
  117. 'countIncoming' => $queryHistoryIncoming->count(),
  118. 'countPassed' => $queryHistoryPassed->count(),
  119. ]);
  120. }
  121. public function actionRemoveProducer(int $id = 0)
  122. {
  123. $producer = $this->getProducerManager()->findOneProducerById($id);
  124. $this->getUserProducerManager()->updateActive(
  125. $this->getUserCurrent(),
  126. $producer,
  127. false
  128. );
  129. return $this->redirect(['order/index']);
  130. }
  131. /**
  132. * Crée une commande.
  133. */
  134. public function actionAjaxProcess()
  135. {
  136. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  137. $posts = \Yii::$app->request->post();
  138. $orderManager = $this->getOrderManager();
  139. $producerManager = $this->getProducerManager();
  140. $userManager = $this->getUserManager();
  141. $producer = $this->getProducerCurrent();
  142. $redirect = null;
  143. $idProducer = $producer->id;
  144. $order = new Order;
  145. if ($idProducer) {
  146. $this->_verifyProducerActive($idProducer);
  147. }
  148. if ($order->load($posts)) {
  149. $user = $this->getUserCurrent();
  150. $order = Order::find()
  151. ->where('id_distribution = :id_distribution')
  152. ->andWhere('id_user = :id_user')
  153. ->andWhere('id_point_sale = :id_point_sale')
  154. ->params([
  155. ':id_distribution' => $posts['Order']['id_distribution'],
  156. ':id_point_sale' => $posts['Order']['id_point_sale'],
  157. ':id_user' => $user ? $user->id : null
  158. ])
  159. ->one();
  160. if ($order && !$order->online_payment_url) {
  161. if ($order->id_point_sale != $posts['Order']['id_point_sale']) {
  162. $order->id_point_sale = $posts['Order']['id_point_sale'];
  163. $order->date_update = date('Y-m-d H:i:s');
  164. }
  165. } else {
  166. // gestion user : option_allow_order_guest
  167. if (isset($posts['user']) && $posts['user']) {
  168. $userIndividualExist = User::searchOne([
  169. 'email' => $posts['user']['email'],
  170. 'type' => User::TYPE_INDIVIDUAL
  171. ]);
  172. if ($userIndividualExist) {
  173. $errorUserGuest = 'Cette adresse email est déjà utilisée, veuillez vous <a href="' . \Yii::$app->urlManagerFrontend->createUrl(
  174. ['site/producer', 'id' => $idProducer]
  175. ) . '">connecter à votre compte</a> ou en utiliser une autre.';
  176. return ['status' => 'error', 'errors' => [$errorUserGuest]];
  177. }
  178. $user = User::searchOne([
  179. 'email' => $posts['user']['email'],
  180. 'type' => User::TYPE_GUEST
  181. ]);
  182. if (!$user) {
  183. $user = new User;
  184. $user->id_producer = 0;
  185. $user->type = User::TYPE_GUEST;
  186. $userManager->setPassword($user, Password::generate());
  187. $userManager->generateAuthKey($user);
  188. $user->username = $posts['user']['email'];
  189. $user->email = $posts['user']['email'];
  190. $user->name = $posts['user']['firstname'];
  191. $user->lastname = $posts['user']['lastname'];
  192. $user->phone = $posts['user']['phone'];
  193. $user->save();
  194. // liaison producer / user
  195. $producerManager->addUser($user, $producer);
  196. } else {
  197. $producerManager->addUser($user, $producer);
  198. }
  199. }
  200. $order = new Order;
  201. $order->load(\Yii::$app->request->post());
  202. $order->id_user = $user ? $user->id : null;
  203. $order->status = 'tmp-order';
  204. $order->date = date('Y-m-d H:i:s');
  205. $order->origin = Order::ORIGIN_USER;
  206. }
  207. $errors = $this->processForm($order, $user);
  208. if (count($errors)) {
  209. return ['status' => 'error', 'errors' => $errors];
  210. }
  211. if ($producerManager->isOnlinePaymentActiveAndTypeOrder($producer)) {
  212. $order = $orderManager->findOneOrderById($order->id);
  213. \Stripe\Stripe::setApiKey(
  214. $producerManager->getPrivateKeyApiStripe($producer)
  215. );
  216. $lineItems = [];
  217. foreach ($order->productOrder as $productOrder) {
  218. $product = $productOrder->product;
  219. $lineItems[] = [
  220. 'price_data' => [
  221. 'currency' => 'eur',
  222. 'product_data' => [
  223. 'name' => $product->name . ' (' . $productOrder->quantity . ' ' . $this->getProductManager()->strUnit(
  224. $product->unit,
  225. 'wording_short',
  226. true
  227. ) . ')',
  228. ],
  229. 'unit_amount' => $productOrder->price * 100 * $productOrder->quantity,
  230. ],
  231. 'quantity' => 1,
  232. ];
  233. }
  234. $checkout_session = \Stripe\Checkout\Session::create([
  235. 'line_items' => $lineItems,
  236. 'payment_method_types' => ['card'],
  237. 'mode' => 'payment',
  238. 'customer_email' => $user->email,
  239. 'client_reference_id' => $user->id,
  240. 'payment_intent_data' => [
  241. 'metadata' => [
  242. 'user_id' => $user->id,
  243. 'producer_id' => $producer->id,
  244. 'order_id' => $order->id
  245. ],
  246. ],
  247. 'success_url' => $this->getUrlManagerProducer()->createAbsoluteUrl(
  248. [
  249. 'order/confirm',
  250. 'idOrder' => $order->id,
  251. 'returnPayment' => 'success'
  252. ]
  253. ),
  254. 'cancel_url' => $this->getUrlManagerProducer()->createAbsoluteUrl(
  255. [
  256. 'order/confirm',
  257. 'idOrder' => $order->id,
  258. 'returnPayment' => 'cancel'
  259. ]
  260. ),
  261. ]);
  262. $redirect = $checkout_session->url;
  263. $order->online_payment_url = $redirect;
  264. $order->save();
  265. }
  266. }
  267. return ['status' => 'success', 'idOrder' => $order->id, 'redirect' => $redirect];
  268. }
  269. /**
  270. * Vérifie si un producteur est actif.
  271. */
  272. public function _verifyProducerActive($idProducer)
  273. {
  274. $producer = $this->getProducerManager()->findOneProducerById($idProducer);
  275. if ($producer && !$producer->active) {
  276. throw new NotFoundHttpException('Ce producteur est actuellement hors ligne.');
  277. }
  278. }
  279. /**
  280. * Traite le formulaire de création/modification de commande.
  281. */
  282. public function processForm($order, $user)
  283. {
  284. $productManager = $this->getProductManager();
  285. $distributionManager = $this->getDistributionManager();
  286. $pointSaleDistributionManager = $this->getPointSaleDistributionManager();
  287. $pointSaleManager = $this->getPointSaleManager();
  288. $userPointSaleManager = $this->getUserPointSaleManager();
  289. $userProducerManager = $this->getUserProducerManager();
  290. $orderManager = $this->getOrderManager();
  291. $producerManager = $this->getProducerManager();
  292. $productOrderManager = $this->getProductOrderManager();
  293. $userManager = $this->getUserManager();
  294. $creditHistoryManager = $this->getCreditHistoryManager();
  295. $posts = \Yii::$app->request->post();
  296. $productsArray = [];
  297. $totalQuantity = 0;
  298. $producer = $this->getProducerCurrent();
  299. $isNewOrder = false;
  300. if (!$order->id) {
  301. $isNewOrder = true;
  302. }
  303. foreach ($posts['products'] as $key => $quantity) {
  304. $product = $productManager->findOneProductById((int)$key);
  305. $totalQuantity += $quantity;
  306. if ($product && $quantity) {
  307. $productsArray[] = $product;
  308. }
  309. }
  310. $errorDate = false;
  311. if (isset($order->id_distribution)) {
  312. $distribution = $distributionManager->findOneDistributionById($order->id_distribution);
  313. if ($orderManager->getState($order) != Order::STATE_OPEN) {
  314. $errorDate = true;
  315. }
  316. }
  317. $errorPointSale = false;
  318. if (isset($distribution) && $distribution) {
  319. $order->populateDistribution($distribution);
  320. $pointSale = $pointSaleManager->findOnePointSaleById($posts['Order']['id_point_sale']);
  321. $pointSaleDistribution = $pointSaleDistributionManager->findOnePointSaleDistribution($distribution, $pointSale);
  322. if (!$pointSaleDistribution || !$pointSaleDistribution->delivery) {
  323. $errorPointSale = true;
  324. }
  325. if ($pointSale) {
  326. if (strlen($pointSale->code) && !$pointSaleManager->validateCode($pointSale, $posts['code_point_sale'])) {
  327. $errorPointSale = true;
  328. }
  329. } else {
  330. $errorPointSale = true;
  331. }
  332. $userPointSale = $userPointSaleManager->findOneUserPointSale(GlobalParam::getCurrentUser(), $pointSale);
  333. if ($pointSale && $pointSale->restricted_access && !$userPointSale) {
  334. $errorPointSale = true;
  335. }
  336. }
  337. $errors = [];
  338. if ($order->validate() && count($productsArray) && !$errorDate && !$errorPointSale) {
  339. $userProducer = $userProducerManager->findOneUserProducer($user, $producer);
  340. $pointSale = $pointSaleManager->findOnePointSaleById($order->id_point_sale);
  341. $order->comment_point_sale = ($pointSale && strlen($pointSaleManager->getComment($pointSale))) ?
  342. $pointSaleManager->getComment($pointSale) : '';
  343. $order->date_delete = null; // la commande est automatiquement réactivée lors d'une modification
  344. $order->delivery_home = isset($posts['Order']['delivery_home']) ? $posts['Order']['delivery_home'] : false;
  345. $order->delivery_address = (isset($posts['Order']['delivery_address']) && $order->delivery_home) ? $posts['Order']['delivery_address'] : null;
  346. $order->comment = isset($posts['Order']['comment']) ? $posts['Order']['comment'] : null;
  347. $order->save();
  348. $orderManager->generateOrderReference($order);
  349. $orderManager->updateOrderStatus($order, 'new-order', 'user');
  350. $producerManager->addUser($user, $producer);
  351. // suppression de tous les enregistrements ProductOrder
  352. if (!is_null($order)) {
  353. $productOrderManager->deleteProductOrdersByOrder($order);
  354. if (isset($order->productOrder)) {
  355. foreach ($order->productOrder as $productOrder) {
  356. $unitsArray[$productOrder->id_product] = $productOrder->unit;
  357. }
  358. }
  359. }
  360. $availableProducts = $orderManager->findProductDistributionsByDistribution($distribution);
  361. foreach ($productsArray as $product) {
  362. if (isset($availableProducts[$product->id])) {
  363. $productOrder = new ProductOrder();
  364. $productOrder->id_order = $order->id;
  365. $productOrder->id_product = $product->id;
  366. $productOrder->id_tax_rate = $product->taxRate->id;
  367. $unit = (!is_null(
  368. $order
  369. ) && isset($unitsArray[$product->id])) ? $unitsArray[$product->id] : $product->unit;
  370. $coefficient = Product::$unitsArray[$unit]['coefficient'];
  371. $quantity = ((float)$posts['products'][$product->id]) / $coefficient;
  372. if ($availableProducts[$product->id]['quantity_max'] && $quantity > $availableProducts[$product->id]['quantity_remaining']) {
  373. $quantity = $availableProducts[$product->id]['quantity_remaining'];
  374. }
  375. $productOrder->quantity = $quantity;
  376. $productOrder->price = $productManager->getPrice($product, [
  377. 'user' => GlobalParam::getCurrentUser(),
  378. 'user_producer' => $userProducer,
  379. 'point_sale' => $pointSale,
  380. 'quantity' => $quantity
  381. ]);
  382. $productOrder->unit = $product->unit;
  383. $productOrder->step = $product->step;
  384. $productOrder->save();
  385. }
  386. }
  387. // lien utilisateur / point de vente
  388. $pointSaleManager->addUser($user, $pointSale);
  389. // credit
  390. $credit = $producerManager->getConfig('credit');
  391. $creditLimit = $producerManager->getConfig('credit_limit');
  392. $creditFunctioning = $producerManager->getPointSaleCreditFunctioning($pointSale);
  393. $creditUser = $userManager->getCredit($user, $producer);
  394. $order = $orderManager->findOneOrderById($order->id);
  395. $orderManager->initOrder($order);
  396. $amountRemaining = $orderManager->getOrderAmount($order, Order::AMOUNT_REMAINING);
  397. if ($credit && $pointSale->credit &&
  398. (($creditFunctioning == Producer::CREDIT_FUNCTIONING_OPTIONAL && $posts['use_credit']) ||
  399. $creditFunctioning == Producer::CREDIT_FUNCTIONING_MANDATORY ||
  400. ($creditFunctioning == Producer::CREDIT_FUNCTIONING_USER && $userProducer->credit_active)
  401. )) {
  402. $orderManager->updateOrderStatus($order, 'waiting-paiement-by-credit', 'user');
  403. // à payer
  404. if ($orderManager->getPaymentStatus($order) == Order::PAYMENT_UNPAID) {
  405. if (!is_null($creditLimit) && $amountRemaining > $creditUser - $creditLimit) {
  406. $amountRemaining = $creditUser - $creditLimit;
  407. }
  408. if ($amountRemaining > 0) {
  409. $creditHistoryManager->createCreditHistory(
  410. CreditHistory::TYPE_PAYMENT,
  411. $amountRemaining,
  412. $producer,
  413. GlobalParam::getCurrentUser(),
  414. GlobalParam::getCurrentUser(),
  415. MeanPayment::CREDIT,
  416. $order
  417. );
  418. $orderManager->updateOrderStatus($order, 'paid-by-credit', 'user');
  419. } else {
  420. $orderManager->updateOrderStatus($order, 'waiting-paiement-on-delivery', 'user');
  421. }
  422. } // surplus à rembourser
  423. elseif ($orderManager->getPaymentStatus($order) == Order::PAYMENT_SURPLUS) {
  424. $amountSurplus = $orderManager->getOrderAmount($order, Order::AMOUNT_SURPLUS);
  425. $creditHistoryManager->createCreditHistory(
  426. CreditHistory::TYPE_REFUND,
  427. $amountSurplus,
  428. $producer,
  429. GlobalParam::getCurrentUser(),
  430. GlobalParam::getCurrentUser(),
  431. MeanPayment::CREDIT,
  432. $order
  433. );
  434. }
  435. } else {
  436. $orderManager->updateOrderStatus($order, 'waiting-paiement-on-delivery', 'user');
  437. }
  438. $paramsEmail = [
  439. 'from_email' => $producerManager->getEmailOpendistrib($producer),
  440. 'from_name' => $producer->name,
  441. 'to_email' => $user->email,
  442. 'to_name' => $userManager->getUsername($user),
  443. 'subject' => '[' . $producer->name . '] Confirmation de commande',
  444. 'content_view_text' => '@common/mail/orderConfirm-text.php',
  445. 'content_view_html' => '@common/mail/orderConfirm-html.php',
  446. 'content_params' => [
  447. 'order' => $order,
  448. 'pointSale' => $pointSale,
  449. 'distribution' => $distribution,
  450. 'user' => $user,
  451. 'producer' => $producer
  452. ]
  453. ];
  454. /*
  455. * Envoi email de confirmation
  456. */
  457. if ($isNewOrder) {
  458. // au client
  459. if ($producerManager->getConfig('option_email_confirm')) {
  460. Mailjet::sendMail($paramsEmail);
  461. }
  462. // au producteur
  463. $contactProducer = $producerManager->getMainContact($producer);
  464. if ($producerManager->getConfig('option_email_confirm_producer') && $contactProducer && strlen(
  465. $contactProducer->email
  466. )) {
  467. $paramsEmail['to_email'] = $contactProducer->email;
  468. $paramsEmail['to_name'] = $contactProducer->name;
  469. $paramsEmail['content_view_text'] = '@common/mail/orderConfirmProducer-text.php';
  470. $paramsEmail['content_view_html'] = '@common/mail/orderConfirmProducer-html.php';
  471. Mailjet::sendMail($paramsEmail);
  472. }
  473. }
  474. $orderManager->updateOrderTillerSynchronization($order);
  475. }
  476. if (!count($productsArray)) {
  477. $errors[] = "Vous n'avez choisi aucun produit";
  478. }
  479. if ($errorDate) {
  480. $errors[] = "Vous ne pouvez pas commander pour cette date.";
  481. }
  482. if ($errorPointSale) {
  483. $errors[] = "Point de vente invalide.";
  484. }
  485. return $errors;
  486. }
  487. /**
  488. * Annule une commande.
  489. */
  490. public function actionCancel(int $id)
  491. {
  492. $orderManager = $this->getOrderManager();
  493. $order = $this->getOrderManager()->findOneOrderById($id);
  494. $orderManager->initOrder($order);
  495. if (!$order) {
  496. throw new \yii\web\NotFoundHttpException('Commande introuvable');
  497. }
  498. if (!$orderManager->isOrderStateOpen($order)) {
  499. throw new UserException('Vous ne pouvez plus annuler cette commande.');
  500. }
  501. if ($orderManager->isOrderbelongsToUser($order, GlobalParam::getCurrentUser())) {
  502. $orderManager->deleteOrder($order);
  503. $this->setFlash('success', 'Votre commande a bien été annulée.');
  504. }
  505. return $this->redirect($this->getUrlManagerProducer()->createUrl(['order/history']));
  506. }
  507. /**
  508. * Page de confirmation de commande.
  509. */
  510. public function actionConfirm(int $idOrder, string $returnPayment = '')
  511. {
  512. $orderManager = $this->getOrderManager();
  513. $order = $orderManager->findOneOrderById($idOrder);
  514. $producer = $this->getProducerCurrent();
  515. if (!$order || (!$producer->option_allow_order_guest && !$orderManager->isOrderBelongsToUser($order, GlobalParam::getCurrentUser()))) {
  516. throw new \yii\base\UserException('Commande introuvable.');
  517. }
  518. $orderManager->initOrder($order);
  519. return $this->render('confirm', [
  520. 'order' => $order,
  521. 'returnPayment' => $returnPayment
  522. ]);
  523. }
  524. /**
  525. * Vérifie le code saisi pour un point de vente.
  526. */
  527. public function actionAjaxValidateCodePointSale(int $idPointSale, string $code)
  528. {
  529. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  530. $pointSaleManager = $this->getPointSaleManager();
  531. $pointSale = $pointSaleManager->findOnePointSaleById($idPointSale);
  532. if ($pointSale && $pointSaleManager->validateCode($pointSale, $code)) {
  533. return 1;
  534. }
  535. return 0;
  536. }
  537. public function actionAjaxInfos(string $date = '', int $pointSaleId = 0)
  538. {
  539. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  540. $user = GlobalParam::getCurrentUser();
  541. $producer = $this->getProducerCurrent();
  542. $pointSale = $this->getPointSaleManager()->findOnePointSaleById($pointSaleId);
  543. $order = $this->getOrderUser($date, $pointSale);
  544. return $this->buildJsonAjaxInfos($date, $producer, $pointSale, $user, $order);
  545. }
  546. public function buildJsonAjaxInfos(
  547. string $date,
  548. Producer $producer,
  549. PointSale $pointSale = null,
  550. User $user = null,
  551. Order $order = null
  552. )
  553. {
  554. $orderManager = $this->getOrderManager();
  555. $json = [];
  556. $format = 'Y-m-d';
  557. $dateObject = DateTime::createFromFormat($format, $date);
  558. $json['producer'] = $this->ajaxInfosProducer($producer);
  559. $json['distributions'] = $this->ajaxInfosDistributions($producer, $pointSale);
  560. $json['orders'] = $this->ajaxInfosOrders($producer);
  561. $json['user'] = $this->ajaxInfosUser($producer);
  562. $json['points_sale'] = $this->ajaxInfosPointsSale($producer);
  563. if ($dateObject && $dateObject->format($format) === $date) {
  564. $distribution = $this->getDistributionManager()->createDistributionIfNotExist($date);
  565. $json['distribution'] = $distribution;
  566. $json['points_sale'] = $this->ajaxInfosPointsSale($producer, $distribution);
  567. $json['categories'] = $this->ajaxInfosProductCategories($producer);
  568. $json['products'] = $this->ajaxInfosProducts($producer, $distribution, $pointSale, $user, $order);
  569. if ($order) {
  570. $json['order'] = array_merge($order->getAttributes(), [
  571. 'amount_total' => $orderManager->getOrderAmountWithTax($order, Order::AMOUNT_TOTAL),
  572. 'amount_paid' => $orderManager->getOrderAmount($order, Order::AMOUNT_PAID),
  573. ]);
  574. }
  575. }
  576. return $json;
  577. }
  578. public function ajaxInfosProducer(Producer $producer)
  579. {
  580. return [
  581. 'order_infos' => $producer->order_infos,
  582. 'credit' => $producer->credit,
  583. 'credit_functioning' => $producer->credit_functioning,
  584. 'use_credit_checked_default' => $producer->use_credit_checked_default,
  585. 'credit_limit' => is_numeric($producer->credit_limit) ? $producer->credit_limit : null,
  586. 'option_allow_order_guest' => $producer->option_allow_order_guest,
  587. 'option_order_entry_point' => $producer->option_order_entry_point,
  588. 'option_delivery' => $producer->option_delivery,
  589. 'online_payment' => $producer->online_payment,
  590. 'option_online_payment_type' => $producer->online_payment
  591. ];
  592. }
  593. public function ajaxInfosDistributions(Producer $producer, PointSale $pointSaleCurrent = null)
  594. {
  595. $distributionManager = $this->getDistributionManager();
  596. $dateMini = date('Y-m-d');
  597. $distributionsArray = Distribution::searchAll([
  598. 'active' => 1,
  599. 'id_producer' => $producer->id
  600. ], [
  601. 'conditions' => ['date > :date'],
  602. 'params' => [':date' => $dateMini],
  603. 'join_with' => ['pointSaleDistribution'],
  604. ]);
  605. $distributionsArray = $distributionManager->filterDistributionsByDateDelay($distributionsArray);
  606. // Filtre par point de vente
  607. if ($pointSaleCurrent && $producer->option_order_entry_point == Producer::ORDER_ENTRY_POINT_POINT_SALE) {
  608. $distributionsArrayFilterPointSale = [];
  609. for ($i = 0; $i < count($distributionsArray); $i++) {
  610. $distribution = $distributionsArray[$i];
  611. if ($distributionManager->isPointSaleActive($distribution, $pointSaleCurrent)) {
  612. $countOrders = Order::searchCount([
  613. 'id_distribution' => $distribution->id,
  614. 'id_point_sale' => $pointSaleCurrent->id
  615. ]);
  616. $orderUserPointSale = $this->getOrderUser($distribution->date, $pointSaleCurrent);
  617. if (!$pointSaleCurrent->maximum_number_orders
  618. || ($orderUserPointSale && $orderUserPointSale->id_point_sale == $pointSaleCurrent->id)
  619. || ($pointSaleCurrent->maximum_number_orders &&
  620. ($countOrders < $pointSaleCurrent->maximum_number_orders))) {
  621. $distributionsArrayFilterPointSale[] = $distribution;
  622. }
  623. }
  624. }
  625. return $distributionsArrayFilterPointSale;
  626. } else {
  627. return $distributionsArray;
  628. }
  629. }
  630. public function ajaxInfosOrders(Producer $producer, PointSale $pointSaleCurrent = null): array
  631. {
  632. $producerManager = $this->getProducerManager();
  633. $orderManager = $this->getOrderManager();
  634. $dateMini = date('Y-m-d');
  635. $ordersUserArray = [];
  636. if (GlobalParam::getCurrentUserId() && !$producerManager->isOnlinePaymentActiveAndTypeOrder($producer)) {
  637. $conditionsOrdersUser = [
  638. 'distribution.date > :date'
  639. ];
  640. $paramsOrdersUser = [
  641. ':date' => $dateMini
  642. ];
  643. if ($pointSaleCurrent && $producer->option_order_entry_point == Producer::ORDER_ENTRY_POINT_POINT_SALE) {
  644. $conditionsOrdersUser[] = 'order.id_point_sale = :id_point_sale';
  645. $paramsOrdersUser[':id_point_sale'] = $pointSaleCurrent->id;
  646. }
  647. $ordersUserArray = Order::searchAll([
  648. 'id_user' => GlobalParam::getCurrentUserId()
  649. ], [
  650. 'conditions' => $conditionsOrdersUser,
  651. 'params' => $paramsOrdersUser
  652. ]);
  653. }
  654. if (is_array($ordersUserArray) && count($ordersUserArray)) {
  655. foreach ($ordersUserArray as &$order) {
  656. $order = array_merge($order->getAttributes(), [
  657. 'amount_total' => $orderManager->getOrderAmountWithTax($order, Order::AMOUNT_TOTAL),
  658. 'date_distribution' => $order->distribution->date,
  659. 'pointSale' => $order->pointSale->getAttributes()
  660. ]);
  661. }
  662. }
  663. return $ordersUserArray;
  664. }
  665. public function ajaxInfosUser(Producer $producer)
  666. {
  667. $userProducerManager = $this->getUserProducerManager();
  668. $producerManager = $this->getProducerManager();
  669. $user = GlobalParam::getCurrentUser();
  670. if($user) {
  671. $userProducer = $userProducerManager->findOneUserProducer($user, $producer);
  672. if (!$userProducer) {
  673. $userProducer = $producerManager->addUser($user, $producer);
  674. }
  675. }
  676. $jsonUser = false;
  677. if ($user && $userProducer) {
  678. $jsonUser = [
  679. 'address' => $user->address,
  680. 'credit' => $userProducer->credit,
  681. 'credit_active' => $userProducer->credit_active,
  682. ];
  683. }
  684. return $jsonUser;
  685. }
  686. private function ajaxInfosPointsSale($producer, $distribution = false)
  687. {
  688. $userManager = $this->getUserManager();
  689. $producerManager = $this->getProducerManager();
  690. $user = GlobalParam::getCurrentUser();
  691. $pointsSaleArray = PointSale::find();
  692. if ($distribution) {
  693. $pointsSaleArray = $pointsSaleArray->joinWith([
  694. 'pointSaleDistribution' => function ($query) use (
  695. $distribution
  696. ) {
  697. $query->where(
  698. [
  699. 'id_distribution' => $distribution->id,
  700. 'delivery' => 1
  701. ]
  702. );
  703. }
  704. ]);
  705. }
  706. if (GlobalParam::getCurrentUserId()) {
  707. $pointsSaleArray = $pointsSaleArray->with([
  708. 'userPointSale' => function ($query) {
  709. $query->onCondition(
  710. ['id_user' => GlobalParam::getCurrentUserId()]
  711. );
  712. }
  713. ]);
  714. }
  715. $pointsSaleArray = $pointsSaleArray->where(['id_producer' => $producer->id])
  716. ->andWhere(
  717. 'status = 1 AND (restricted_access = 0 OR (restricted_access = 1 AND (SELECT COUNT(*) FROM user_point_sale WHERE point_sale.id = user_point_sale.id_point_sale AND user_point_sale.id_user = :id_user) > 0))'
  718. )
  719. ->params([':id_user' => GlobalParam::getCurrentUserId()])
  720. ->orderBy('code ASC, restricted_access ASC, is_bread_box ASC, `default` DESC, name ASC')
  721. ->all();
  722. $creditFunctioningProducer = $producerManager->getConfig('credit_functioning');
  723. $position = 0;
  724. foreach ($pointsSaleArray as &$pointSale) {
  725. $pointSale = array_merge($pointSale->getAttributes(), [
  726. 'pointSaleDistribution' => [
  727. 'id_distribution' => $pointSale->pointSaleDistribution ? $pointSale->pointSaleDistribution[0]->id_distribution : false,
  728. 'id_point_sale' => $pointSale->pointSaleDistribution ? $pointSale->pointSaleDistribution[0]->id_point_sale : false,
  729. 'delivery' => $pointSale->pointSaleDistribution ? $pointSale->pointSaleDistribution[0]->delivery : false,
  730. ],
  731. 'userPointSale' => ($pointSale->userPointSale ? $pointSale->userPointSale[0] : '')
  732. ]);
  733. if ($pointSale['code'] && strlen($pointSale['code'])) {
  734. $pointSale['code'] = '***';
  735. }
  736. if (!strlen($pointSale['credit_functioning'])) {
  737. $pointSale['credit_functioning'] = $creditFunctioningProducer;
  738. }
  739. if ($distribution) {
  740. $pointSale['count_orders'] = (int)Order::searchCount([
  741. 'id_distribution' => $distribution->id,
  742. 'id_point_sale' => $pointSale['id']
  743. ]);
  744. }
  745. $pointSale['position'] = $position;
  746. $position++;
  747. }
  748. $favoritePointSale = false;
  749. if ($user) {
  750. $favoritePointSale = $userManager->getUserFavoritePointSale($user);
  751. }
  752. if ($favoritePointSale) {
  753. for ($i = 0; $i < count($pointsSaleArray); $i++) {
  754. if ($pointsSaleArray[$i]['id'] == $favoritePointSale->id) {
  755. $theFavoritePointSale = $pointsSaleArray[$i];
  756. unset($pointsSaleArray[$i]);
  757. }
  758. }
  759. if (isset($theFavoritePointSale)) {
  760. $pointsSaleArray = array_reverse($pointsSaleArray, false);
  761. $pointsSaleArray[] = $theFavoritePointSale;
  762. $pointsSaleArray = array_reverse($pointsSaleArray, false);
  763. }
  764. }
  765. return $pointsSaleArray;
  766. }
  767. public function ajaxInfosProductCategories(Producer $producer)
  768. {
  769. $categoriesArray = $this->getProductCategoryManager()->findProductCategoriesAsArray();
  770. $countProductsWithoutCategory = $this->getProductManager()->countProductsWithoutCategory($producer);
  771. if ($countProductsWithoutCategory) {
  772. array_unshift($categoriesArray, ['id' => null, 'name' => 'Catégorie par défaut']);
  773. }
  774. return $categoriesArray;
  775. }
  776. public function ajaxInfosProducts(
  777. Producer $producer,
  778. Distribution $distribution,
  779. PointSale $pointSale = null,
  780. User $user = null,
  781. Order $order = null
  782. )
  783. {
  784. $productManager = $this->getProductManager();
  785. $orderManager = $this->getOrderManager();
  786. $ordersArray = $this->getOrderManager()->findOrdersByDistribution($distribution);
  787. $productsArray = Product::find()
  788. ->where([
  789. 'id_producer' => $producer->id,
  790. 'product.active' => 1,
  791. ]);
  792. $productsArray = $productsArray->joinWith([
  793. 'productDistribution' => function ($query) use (
  794. $distribution
  795. ) {
  796. $query->andOnCondition(
  797. 'product_distribution.id_distribution = ' . $distribution->id
  798. );
  799. },
  800. 'productPrice'
  801. ])
  802. ->orderBy('product_distribution.active DESC, order ASC')
  803. ->all();
  804. $productsArrayFilter = [];
  805. // filtre sur les points de vente
  806. if($pointSale) {
  807. foreach ($productsArray as $product) {
  808. if ($productManager->isAvailableOnPointSale($product, $pointSale)) {
  809. $productsArrayFilter[] = $product;
  810. }
  811. }
  812. }
  813. $indexProduct = 0;
  814. foreach ($productsArrayFilter as $key => &$product) {
  815. $productObject = $product;
  816. $product = array_merge(
  817. $product->getAttributes(),
  818. [
  819. 'unit_coefficient' => Product::$unitsArray[$product->unit]['coefficient'],
  820. 'prices' => $productManager->getPriceArray($product, $user, $pointSale),
  821. 'productDistribution' => $product['productDistribution'],
  822. 'productPointSale' => $product['productPointSale'],
  823. ]
  824. );
  825. $coefficient_unit = Product::$unitsArray[$product['unit']]['coefficient'];
  826. if (is_null($product['photo'])) {
  827. $product['photo'] = '';
  828. }
  829. $product['quantity_max'] = (isset($product['productDistribution']) && isset($product['productDistribution'][0])) ? $product['productDistribution'][0]['quantity_max'] : null;
  830. $quantityOrder = $orderManager->getProductQuantity($productObject, $ordersArray);
  831. $product['quantity_ordered'] = $quantityOrder;
  832. $product['quantity_remaining'] = $product['quantity_max'] - $quantityOrder;
  833. $product['wording_unit'] = $productManager->strUnit($product['unit'], 'wording_unit', true);
  834. $product['wording_unit_ref'] = $productManager->strUnit($product['unit'], 'wording_short', true);
  835. if ($order) {
  836. $quantityOrderUser = $orderManager->getProductQuantity($productObject, [$order], true);
  837. $product['quantity_ordered'] = $quantityOrder;
  838. $product['quantity_remaining'] = $product['quantity_max'] - $quantityOrder + $quantityOrderUser;
  839. $product['quantity_form'] = $quantityOrderUser * $coefficient_unit;
  840. foreach ($order->productOrder as $productOrder) {
  841. if ($productOrder->id_product == $product['id']) {
  842. $product['wording_unit'] = $productManager->strUnit($productOrder->unit, 'wording_unit', true);
  843. $product['step'] = $productOrder->step;
  844. }
  845. }
  846. } else {
  847. $product['quantity_form'] = 0;
  848. $product['wording_unit'] = $productManager->strUnit($product['unit'], 'wording_unit', true);
  849. }
  850. $product['coefficient_unit'] = $coefficient_unit;
  851. if ($product['quantity_remaining'] < 0) {
  852. $product['quantity_remaining'] = 0;
  853. }
  854. $product['index'] = $indexProduct++;
  855. }
  856. return $productsArrayFilter;
  857. }
  858. private function getOrderUser(string $date, PointSale $pointSale = null)
  859. {
  860. $orderManager = $this->getOrderManager();
  861. $orderUser = null;
  862. if (GlobalParam::getCurrentUserId()) {
  863. $conditionOrderUser = [
  864. 'distribution.date' => $date,
  865. 'id_user' => GlobalParam::getCurrentUserId(),
  866. ];
  867. if ($pointSale) {
  868. $conditionOrderUser['id_point_sale'] = $pointSale;
  869. }
  870. $orderUser = Order::searchOne($conditionOrderUser);
  871. if ($orderUser && $orderUser->online_payment_url) {
  872. $orderUser = null;
  873. }
  874. }
  875. return $orderUser;
  876. }
  877. }