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.

665 lines
23KB

  1. <?php
  2. /**
  3. Copyright La boîte à pain (2018)
  4. contact@laboiteapain.net
  5. Ce logiciel est un programme informatique servant à aider les producteurs
  6. à distribuer leur production en circuits courts.
  7. Ce logiciel est régi par la licence CeCILL soumise au droit français et
  8. respectant les principes de diffusion des logiciels libres. Vous pouvez
  9. utiliser, modifier et/ou redistribuer ce programme sous les conditions
  10. de la licence CeCILL telle que diffusée par le CEA, le CNRS et l'INRIA
  11. sur le site "http://www.cecill.info".
  12. En contrepartie de l'accessibilité au code source et des droits de copie,
  13. de modification et de redistribution accordés par cette licence, il n'est
  14. offert aux utilisateurs qu'une garantie limitée. Pour les mêmes raisons,
  15. seule une responsabilité restreinte pèse sur l'auteur du programme, le
  16. titulaire des droits patrimoniaux et les concédants successifs.
  17. A cet égard l'attention de l'utilisateur est attirée sur les risques
  18. associés au chargement, à l'utilisation, à la modification et/ou au
  19. développement et à la reproduction du logiciel par l'utilisateur étant
  20. donné sa spécificité de logiciel libre, qui peut le rendre complexe à
  21. manipuler et qui le réserve donc à des développeurs et des professionnels
  22. avertis possédant des connaissances informatiques approfondies. Les
  23. utilisateurs sont donc invités à charger et tester l'adéquation du
  24. logiciel à leurs besoins dans des conditions permettant d'assurer la
  25. sécurité de leurs systèmes et ou de leurs données et, plus généralement,
  26. à l'utiliser et l'exploiter dans les mêmes conditions de sécurité.
  27. Le fait que vous puissiez accéder à cet en-tête signifie que vous avez
  28. pris connaissance de la licence CeCILL, et que vous en avez accepté les
  29. termes.
  30. */
  31. namespace producer\controllers;
  32. use common\models\ProductDistribution ;
  33. use common\models\User ;
  34. use DateTime;
  35. class OrderController extends ProducerBaseController
  36. {
  37. public function behaviors()
  38. {
  39. return [
  40. 'access' => [
  41. 'class' => AccessControl::className(),
  42. 'rules' => [
  43. [
  44. 'allow' => true,
  45. 'roles' => ['@'],
  46. ]
  47. ],
  48. ],
  49. ];
  50. }
  51. public function actionOrder()
  52. {
  53. return $this->render('order') ;
  54. }
  55. /**
  56. * Retourne au format JSON toutes les informations relatives à une
  57. * production donnée.
  58. *
  59. * @param integer $idDistribution
  60. * @return mixed
  61. */
  62. public function actionInfosDistribution($idDistribution)
  63. {
  64. $distribution = Distribution::searchOne([
  65. 'id' => $idDistribution
  66. ]);
  67. if ($distribution) {
  68. $arr = [];
  69. $productsArray = ProductDistribution::searchByDistribution($distribution->id) ;
  70. $data['products'] = $productsArray;
  71. $pointSaleArray = PointSale::find()
  72. ->joinWith(['pointSaleDistribution' => function($q) use ($distribution) {
  73. $q->where(['id_distribution' => $distribution->id]);
  74. }])
  75. ->where([
  76. 'id_producer' => $distribution->id_producer,
  77. ])
  78. ->all();
  79. $data['points_sale'] = [];
  80. foreach ($pointSaleArray as $pointSale) {
  81. if (isset($pointSale->pointSaleDistribution) &&
  82. isset($pointSale->pointSaleDistribution[0])) {
  83. $data['points_sale'][$pointSale->id] = $pointSale->pointSaleDistribution[0]->delivery;
  84. } else {
  85. $data['points_sale'][$pointSale->id] = false;
  86. }
  87. }
  88. return json_encode($data);
  89. }
  90. return json_encode([]);
  91. }
  92. /**
  93. * Initialise le formulaire de création/modification de commande.
  94. *
  95. * @param Order $order
  96. * @return array
  97. */
  98. public function initForm($order = null) {
  99. // Producteurs
  100. $producersArray = Yii::$app->user->identity->getBookmarkedProducers();
  101. $idProducer = $this->getProducer()->id;
  102. // Producteur
  103. $producer = Producer::findOne($idProducer);
  104. // Points de vente
  105. $pointsSaleArray = PointSale::find()
  106. ->with('userPointSale')
  107. ->where(['id_producer' => $idProducer])
  108. ->andWhere('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)')
  109. ->params([':id_user' => User::getCurrentId()])
  110. ->all();
  111. // jours de production
  112. $deadline = 20;
  113. $date = date('Y-m-d');
  114. if (isset($producer)) {
  115. $deadline = $producer->order_deadline;
  116. if (date('H') >= $deadline) {
  117. $date = date('Y-m-d', strtotime(date('Y-m-d')) + ($producer->order_delay) * (24 * 60 * 60));
  118. } else {
  119. $date = date('Y-m-d', strtotime(date('Y-m-d')) + ($producer->order_delay - 1) * (24 * 60 * 60));
  120. }
  121. }
  122. $distributionDays = Distribution::find()
  123. ->where(['active' => 1])
  124. ->andWhere('date > :date')
  125. ->andWhere(['id_producer' => $idProducer])
  126. ->addParams([':date' => $date])
  127. ->all();
  128. $distributionDaysArray = array('' => '--');
  129. foreach ($distributionDays as $distribution) {
  130. $distributionDaysArray[$distribution->id] = date('d/m/Y', strtotime($distribution->date));
  131. }
  132. // produits
  133. $products = Product::find()
  134. ->leftJoin('product_distribution', 'product.id = product_distribution.id_product')
  135. ->where(['product.active' => 1, 'id_producer' => $idProducer])
  136. ->orderBy('product.order ASC')->all();
  137. $productsArray = [] ;
  138. foreach ($products as $p)
  139. $productsArray[] = $p;
  140. // produits selec
  141. $posts = Yii::$app->request->post();
  142. $selectedProducts = [];
  143. if (isset($posts['Product'])) {
  144. foreach ($posts['Product'] as $key => $quantity) {
  145. $key = (int) str_replace('product_', '', $key);
  146. $product = Product::find()->where(['id' => $key])->one();
  147. if ($product && $quantity)
  148. $selectedProducts[$product->id] = (int) $quantity;
  149. }
  150. }
  151. elseif (!is_null($order)) {
  152. $productOrderArray = ProductOrder::searchAll([
  153. 'id_order' => $order->id
  154. ]) ;
  155. foreach ($productOrderArray as $productOrder) {
  156. $selectedProducts[$productOrder->id_product] = (int) $productOrder->quantity;
  157. }
  158. }
  159. $availableProducts = [] ;
  160. $distribution = null;
  161. if (!is_null($order) && $order->id_distribution) {
  162. $availableProducts = ProductDistribution::searchByDistribution($order->id_distribution);
  163. $distribution = Distribution::find()->where(['id' => $order->id_distribution])->one();
  164. }
  165. $orders = Order::searchAll([
  166. 'id_user' => User::getCurrentId()
  167. ]) ;
  168. if ($idProducer) {
  169. $userProducer = UserProducer::searchOne([
  170. 'id_producer' => $idProducer,
  171. 'id_user' => User::getCurrentId()
  172. ]) ;
  173. $credit = $userProducer->credit;
  174. } else {
  175. $credit = 0;
  176. }
  177. return [
  178. 'pointsSaleArray' => $pointsSaleArray,
  179. 'distributionDaysArray' => $distributionDaysArray,
  180. 'productsArray' => $productsArray,
  181. 'selectedProducts' => $selectedProducts,
  182. 'availableProducts' => $availableProducts,
  183. 'distribution' => $distribution,
  184. 'ordersArray' => $orders,
  185. 'producersArray' => $producersArray,
  186. 'idProducer' => $idProducer,
  187. 'producer' => $producer,
  188. 'credit' => $credit
  189. ];
  190. }
  191. /**
  192. * Affiche l'historique des commandes de l'utilisateur
  193. *
  194. * @return ProducerView
  195. */
  196. public function actionHistory()
  197. {
  198. $dataProviderOrders = new ActiveDataProvider([
  199. 'query' => Order::find()
  200. ->with('productOrder', 'pointSale', 'creditHistory')
  201. ->joinWith('distribution', 'distribution.producer')
  202. ->where([
  203. 'id_user' => Yii::$app->user->id,
  204. 'distribution.id_producer' => $this->getProducer()->id
  205. ])
  206. ->orderBy('distribution.date DESC'),
  207. 'pagination' => [
  208. 'pageSize' => 10,
  209. ],
  210. ]);
  211. return $this->render('history', [
  212. 'dataProviderOrders' => $dataProviderOrders,
  213. 'orderOk' => Yii::$app->getRequest()->get('orderOk', false),
  214. 'cancelOk' => Yii::$app->getRequest()->get('cancelOk', false),
  215. ]);
  216. }
  217. /**
  218. * Supprime un producteur.
  219. *
  220. * @param integer $id
  221. */
  222. public function actionRemoveProducer($id = 0)
  223. {
  224. $userProducer = UserProducer::find()
  225. ->where(['id_producer' => $id, 'id_user' => User::getCurrentId()])
  226. ->one();
  227. $userProducer->active = 0;
  228. $userProducer->save();
  229. $this->redirect(['order/index']);
  230. }
  231. /**
  232. * Crée une commande.
  233. *
  234. * @return mixed
  235. */
  236. public function actionCreate()
  237. {
  238. $idProducer = $this->getProducer()->id ;
  239. $order = new Order;
  240. $posts = Yii::$app->request->post();
  241. if ($idProducer) {
  242. $this->_verifyProducerActive($idProducer);
  243. }
  244. if ($order->load($posts)) {
  245. $order = Order::find()
  246. ->where('id_distribution = ' . $posts['Order']['id_distribution'])
  247. ->andWhere('id_user = ' . User::getCurrentId())
  248. ->one();
  249. if (!$order) {
  250. $order = new Order;
  251. $order->load(Yii::$app->request->post());
  252. $order->id_user = User::getCurrentId();
  253. $order->date = date('Y-m-d H:i:s');
  254. $order->origin = Order::ORIGIN_USER;
  255. }
  256. $this->processForm($order);
  257. }
  258. return $this->render('create', array_merge($this->initForm($order), [
  259. 'model' => $order
  260. ]));
  261. }
  262. /**
  263. * Modifie une commande.
  264. *
  265. * @param integer $id
  266. * @return mixed
  267. * @throws UserException
  268. */
  269. public function actionUpdate($id)
  270. {
  271. $order = Order::searchOne([
  272. 'id' => $id
  273. ]) ;
  274. if ($order->getState() != Order::STATE_OPEN) {
  275. throw new UserException('Cette commande n\'est pas modifiable.');
  276. }
  277. $this->_verifyProducerActive($order->distribution->id_producer);
  278. if ($order && $order->load(Yii::$app->request->post())) {
  279. $order->date_update = date('Y-m-d H:i:s');
  280. $this->processForm($order);
  281. }
  282. return $this->render('update', array_merge($this->initForm($order), [
  283. 'model' => $order,
  284. 'orderNotfound' => !$order,
  285. ]));
  286. }
  287. /**
  288. * Vérifie si un producteur est actif.
  289. *
  290. * @param integer $idProducer
  291. * @throws NotFoundHttpException
  292. */
  293. public function _verifyProducerActive($idProducer)
  294. {
  295. $producer = Producer::findOne($idProducer);
  296. if ($producer && !$producer->active) {
  297. throw new NotFoundHttpException('Ce producteur est actuellement hors ligne.');
  298. }
  299. }
  300. /**
  301. * Traite le formulaire de création/modification de commande.
  302. *
  303. * @param Commande $order
  304. */
  305. public function processForm($order)
  306. {
  307. $posts = Yii::$app->request->post();
  308. $productsArray = [];
  309. $totalQuantity = 0;
  310. foreach ($posts['Product'] as $key => $quantity) {
  311. $key = (int) str_replace('product_', '', $key);
  312. $product = Product::find()->where(['id' => $key])->one();
  313. $totalQuantity += $quantity;
  314. if ($product && $quantity) {
  315. $productsArray[] = $product;
  316. }
  317. }
  318. // date
  319. $errorDate = false;
  320. if (isset($order->id_distribution)) {
  321. // date de commande
  322. $distribution = Distribution::find()->where(['id' => $order->id_distribution])->one();
  323. if (date('H') >= 20) {
  324. $date = date('Y-m-d', strtotime(date('Y-m-d')) + 60 * 60 * 24);
  325. } else {
  326. $date = date('Y-m-d');
  327. }
  328. if ($distribution->date < $date) {
  329. $errorDate = true;
  330. }
  331. }
  332. // point de vente
  333. $errorPointSale = false;
  334. if (isset($distribution) && $distribution) {
  335. $pointSaleDistribution = PointSaleDistribution::searchOne([
  336. 'id_distribution' => $distribution->id,
  337. 'id_point_sale' => $posts['Order']['id_point_sale']
  338. ]) ;
  339. if (!$pointSaleDistribution || !$pointSaleDistribution->delivery) {
  340. $errorPointSale = true;
  341. }
  342. $pointSale = PointSale::findOne($posts['Order']['id_point_sale']);
  343. if ($pointSale) {
  344. if (strlen($pointSale->code) && !$pointSale->validateCode($posts['code_point_sale_' . $pointSale->id])) {
  345. $errorPointSale = true;
  346. }
  347. } else {
  348. $errorPointSale = true;
  349. }
  350. }
  351. if ($order->validate() && count($productsArray) && !$errorDate && !$errorPointSale) {
  352. // gestion point de vente
  353. $pointSale = PointSale::searchOne([
  354. 'id' => $order->id_point_sale
  355. ]) ;
  356. $order->comment_point_sale = ($pointSale && strlen($pointSale->getComment())) ?
  357. $pv->getComment() : '' ;
  358. // la commande est automatiquement réactivée lors d'une modification
  359. $order->date_delete = null ;
  360. // sauvegarde de la commande
  361. $order->save();
  362. // ajout de l'utilisateur à l'établissement
  363. Producer::addUser(User::getCurrentId(), $distribution->id_producer) ;
  364. // suppression de tous les enregistrements ProductOrder
  365. if (!is_null($order)) {
  366. ProductOrder::deleteAll(['id_order' => $order->id]);
  367. }
  368. // produits dispos
  369. $availableProducts = ProductDistribution::searchByDistribution($distribution->id) ;
  370. // sauvegarde des produits
  371. foreach ($productsArray as $product) {
  372. if (isset($availableProducts[$product->id])) {
  373. $productOrder = new ProductOrder();
  374. $productOrder->id_order = $order->id;
  375. $productOrder->id_product = $product->id;
  376. $productOrder->price = $product->price;
  377. $quantity = (int) $posts['Product']['product_' . $product->id];
  378. if ($availableProducts[$product->id]['quantity_max'] && $quantity > $availableProducts[$product->id]['quantity_remaining']) {
  379. $quantity = $availableProducts[$product->id]['quantity_remaining'];
  380. }
  381. $productOrder->quantity = $quantity;
  382. $productOrder->sale_mode = Product::SALE_MODE_UNIT ;
  383. $productOrder->save();
  384. }
  385. }
  386. // credit
  387. $credit = isset($posts['credit']) && $posts['credit'];
  388. $order = Order::searchOne([
  389. 'id' => $order->id
  390. ]) ;
  391. if ($credit && ($pointSale->credit || $order->getAmount(Order::AMOUNT_PAID))) {
  392. $amountPaid = $order->getAmount(Order::AMOUNT_PAID);
  393. // à payer
  394. if ($order->getPaymentStatus() == Order::PAYMENT_UNPAID) {
  395. $amountRemaining = $order->getAmount(Order::AMOUNT_REMAINING) ;
  396. $credit = Yii::$app->user->identity->getCredit($distribution->id_producer);
  397. if ($amountRemaining > $credit) {
  398. $amountRemaining = $credit;
  399. }
  400. if ($amountRemaining > 0) {
  401. $order->saveCreditHistory(
  402. CreditHistory::TYPE_PAYMENT,
  403. $amountRemaining,
  404. $distribution->id_producer,
  405. User::getCurrentId(),
  406. User::getCurrentId()
  407. );
  408. }
  409. }
  410. // surplus à rembourser
  411. elseif ($order->getPaymentStatus() == Order::PAYMENT_SURPLUS) {
  412. $amountSurplus = $order->getAmount(Order::AMOUNT_SURPLUS) ;
  413. $order->saveCreditHistory(
  414. CreditHistory::TYPE_REFUND,
  415. $amountSurplus,
  416. $distribution->id_producer,
  417. User::getCurrentId(),
  418. User::getCurrentId()
  419. );
  420. }
  421. }
  422. // redirection
  423. $this->redirect(Yii::$app->urlManager->createUrl(['order/history', 'orderOk' => true]));
  424. }
  425. else {
  426. if (!count($productsArray)) {
  427. Yii::$app->session->setFlash('error', "Vous n'avez choisi aucun produit");
  428. }
  429. if ($errorDate) {
  430. Yii::$app->session->setFlash('error', "Vous ne pouvez pas commander pour cette date.");
  431. }
  432. if ($errorPointSale) {
  433. Yii::$app->session->setFlash('error', "Point de vente invalide.");
  434. }
  435. }
  436. }
  437. /**
  438. * Annule une commande.
  439. *
  440. * @param integer $id
  441. * @throws \yii\web\NotFoundHttpException
  442. * @throws UserException
  443. */
  444. public function actionCancel($id)
  445. {
  446. $order = Order::searchOne([
  447. 'id' => $id
  448. ]) ;
  449. if(!$order) {
  450. throw new \yii\web\NotFoundHttpException('Commande introuvable');
  451. }
  452. if ($order->getState() != Order::STATE_OPEN) {
  453. throw new UserException('Vous ne pouvez plus annuler cette commande.');
  454. }
  455. if ($order && User::getCurrentId() == $order->id_user) {
  456. // remboursement
  457. if ($order->getAmount(Order::AMOUNT_PAID)) {
  458. $order->saveCreditHistory(
  459. CreditHistory::TYPE_REFUND,
  460. $order->getAmount(Order::AMOUNT_PAID),
  461. $order->distribution->id_producer,
  462. User::getCurrentId(),
  463. User::getCurrentId()
  464. );
  465. }
  466. // delete
  467. $order->date_delete = date('Y-m-d H:i:s');
  468. $order->save() ;
  469. Yii::$app->session->setFlash('success','Votre commande a bien été annulée.') ;
  470. }
  471. $this->redirect(Yii::$app->urlManager->createUrl(['order/history']));
  472. }
  473. /**
  474. * Vérifie le code saisi pour un point de vente.
  475. *
  476. * @param integer $idPointSale
  477. * @param string $code
  478. * @return boolean
  479. */
  480. public function actionValidateCodePointSale($idPointSale, $code)
  481. {
  482. $pointSale = PointSale::findOne($idPointSale);
  483. if ($pointSale) {
  484. if ($pointSale->validateCode($code)) {
  485. return true;
  486. }
  487. }
  488. return false;
  489. }
  490. public function actionAjaxInfos($date = '')
  491. {
  492. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  493. $json = [] ;
  494. $format = 'Y-m-d' ;
  495. $dateObject = DateTime::createFromFormat($format, $date);
  496. $distributionsArray = Distribution::searchAll([
  497. 'active' => 1
  498. ], [
  499. 'conditions' => ['date > :date_today'],
  500. 'params' => [':date_today' => date('Y-m-d')],
  501. ]) ;
  502. $json['distributions'] = $distributionsArray ;
  503. if($dateObject && $dateObject->format($format) === $date) {
  504. // distribution
  505. $distribution = Distribution::initDistribution($date) ;
  506. $pointsSaleArray = PointSale::find()
  507. ->joinWith(['pointSaleDistribution' => function($query) use ($distribution) {
  508. $query->where(['id_distribution' => $distribution->id]);
  509. }
  510. ])
  511. ->with(['userPointSale' => function($query) {
  512. $query->onCondition(['id_user' => User::getCurrentId()]) ;
  513. }])
  514. ->where([
  515. 'id_producer' => $distribution->id_producer,
  516. ])
  517. ->all();
  518. foreach($pointsSaleArray as &$pointSale) {
  519. $pointSale = array_merge($pointSale->getAttributes(),[
  520. 'pointSaleDistribution' => [
  521. 'id_distribution' => $pointSale->pointSaleDistribution[0]->id_distribution,
  522. 'id_point_sale' => $pointSale->pointSaleDistribution[0]->id_point_sale,
  523. 'delivery' => $pointSale->pointSaleDistribution[0]->delivery
  524. ],
  525. 'userPointSale' => ($pointSale->userPointSale ? $pointSale->userPointSale[0] : '')
  526. ]) ;
  527. }
  528. $json['points_sale'] = $pointsSaleArray;
  529. // Commandes
  530. $ordersArray = Order::searchAll([
  531. 'distribution.date' => $date,
  532. ]);
  533. // Produits
  534. $productsArray = Product::find()
  535. ->where([
  536. 'id_producer' => $this->getProducer()->id,
  537. ])
  538. ->joinWith(['productDistribution' => function($query) use($distribution) {
  539. $query->andOnCondition('product_distribution.id_distribution = '.$distribution->id) ;
  540. }])
  541. ->orderBy('product_distribution.active DESC, order ASC')
  542. ->asArray()
  543. ->all();
  544. $indexProduct = 0 ;
  545. foreach($productsArray as &$product) {
  546. $quantityOrder = Order::getProductQuantity($product['id'], $ordersArray) ;
  547. $product['quantity_ordered'] = $quantityOrder ;
  548. $product['quantity_remaining'] = $product['quantity_max'] - $quantityOrder ;
  549. if($product['quantity_remaining'] < 0) $product['quantity_remaining'] = 0 ;
  550. $product['quantity_form'] = 0 ;
  551. $product['index'] = $indexProduct ++ ;
  552. }
  553. $json['products'] = $productsArray;
  554. }
  555. return $json ;
  556. }
  557. }