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.

779 lines
29KB

  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 backend\controllers;
  38. use common\models\DeliveryNote;
  39. use common\models\Invoice;
  40. use common\models\PointSale;
  41. use common\models\Product;
  42. use common\models\Quotation;
  43. use common\models\UserModel;
  44. use common\models\Document;
  45. use common\helpers\GlobalParam;
  46. use common\models\Order;
  47. use common\logic\UserProducer\UserProducerModel;
  48. use kartik\mpdf\Pdf;
  49. use yii\base\UserException;
  50. use yii;
  51. class DocumentController extends BackendController
  52. {
  53. public function behaviors()
  54. {
  55. return [
  56. 'verbs' => [
  57. 'class' => VerbFilter::className(),
  58. 'actions' => [
  59. ],
  60. ],
  61. 'access' => [
  62. 'class' => AccessControl::className(),
  63. 'rules' => [
  64. [
  65. 'allow' => true,
  66. 'roles' => ['@'],
  67. 'matchCallback' => function ($rule, $action) {
  68. return UserModel::hasAccessBackend();
  69. }
  70. ]
  71. ],
  72. ],
  73. ];
  74. }
  75. public function actionGeneratePdfValidatedDocuments()
  76. {
  77. set_time_limit(0);
  78. $validatedDocumentsArray = array_merge(
  79. Quotation::find()->where(['status' => Document::STATUS_VALID])->all(),
  80. DeliveryNote::find()->where(['status' => Document::STATUS_VALID])->all(),
  81. Invoice::find()->where(['status' => Document::STATUS_VALID])->all()
  82. );
  83. foreach($validatedDocumentsArray as $document) {
  84. if(!file_exists($document->getFilenameComplete())) {
  85. $document->generatePdf(Pdf::DEST_FILE);
  86. }
  87. }
  88. }
  89. public function actionCreate()
  90. {
  91. $class = $this->getClass();
  92. $model = new $class();
  93. $model->initTaxCalculationMethod();
  94. if ($model->load(Yii::$app->request->post())) {
  95. $model->id_producer = GlobalParam::getCurrentProducerId();
  96. if ($model->save()) {
  97. $this->processInvoiceViaDeliveryNotes($model);
  98. Yii::$app->getSession()->setFlash('success', $this->getFlashMessage('create', $model));
  99. return $this->redirect(['/' . $this->getControllerUrl() . '/update', 'id' => $model->id]);
  100. } else {
  101. Yii::$app->getSession()->setFlash('error', 'Un problème est survenu lors de la création du document.');
  102. }
  103. }
  104. return $this->render('/document/create', [
  105. 'title' => $this->getTitle('Ajouter'),
  106. 'typeDocument' => $this->getDocumentType(),
  107. 'model' => $model,
  108. ]);
  109. }
  110. public function processInvoiceViaDeliveryNotes($model)
  111. {
  112. if ($model->getClass() == 'Invoice') {
  113. if ($model->deliveryNotes && is_array($model->deliveryNotes) && count($model->deliveryNotes)) {
  114. foreach ($model->deliveryNotes as $key => $idDeliveryNote) {
  115. Order::updateAll([
  116. 'id_invoice' => $model->id
  117. ], [
  118. 'id_delivery_note' => $idDeliveryNote
  119. ]);
  120. }
  121. }
  122. }
  123. }
  124. /**
  125. * Modifie un modèle Produit existant.
  126. * Si la modification réussit, le navigateur est redirigé vers la page 'index'.
  127. *
  128. * @param integer $id
  129. * @return mixed
  130. */
  131. public function actionUpdate($id)
  132. {
  133. $model = $this->findModel($id);
  134. if (!$model) {
  135. throw new NotFoundHttpException('Le document n\'a pas été trouvé.');
  136. }
  137. if ($model && $model->load(Yii::$app->request->post()) && $model->save()) {
  138. Yii::$app->getSession()->setFlash('success', $this->getFlashMessage('update', $model));
  139. }
  140. return $this->render('/document/update', [
  141. 'title' => $this->getTitle('Modifier'),
  142. 'typeDocument' => $this->getDocumentType(),
  143. 'model' => $model,
  144. ]);
  145. }
  146. public function actionDelete($id)
  147. {
  148. $model = $this->findModel($id);
  149. if ($model->isStatusValid()) {
  150. throw new UserException('Vous ne pouvez pas supprimer un document validé.');
  151. }
  152. $model->delete();
  153. if ($this->getClass() == 'DeliveryNote') {
  154. Order::updateAll([
  155. 'order.id_delivery_note' => null
  156. ], [
  157. 'order.id_delivery_note' => $id
  158. ]);
  159. }
  160. if ($this->getClass() == 'Quotation') {
  161. Order::updateAll([
  162. 'order.id_quotation' => null
  163. ], [
  164. 'order.id_quotation' => $id
  165. ]);
  166. }
  167. if ($this->getClass() == 'Invoice') {
  168. Order::updateAll([
  169. 'order.id_invoice' => null
  170. ], [
  171. 'order.id_invoice' => $id
  172. ]);
  173. }
  174. Yii::$app->getSession()->setFlash('success', $this->getFlashMessage('delete', $model));
  175. $this->redirect([$this->getControllerUrl() . '/index']);
  176. }
  177. public function actionExportCsvEvoliz($id)
  178. {
  179. $datas = [];
  180. $document = $this->findModel($id);
  181. // données
  182. $datas[] = [
  183. 'N° facture externe *',
  184. 'Date facture *',
  185. 'Client',
  186. 'Code client *',
  187. 'Total TVA',
  188. 'Total HT',
  189. 'Total TTC',
  190. 'Total réglé',
  191. 'Etat',
  192. 'Date Etat',
  193. 'Date de création',
  194. 'Objet',
  195. 'Date d\'échéance',
  196. 'Date d\'exécution',
  197. 'Taux de pénalité',
  198. 'Frais de recouvrement',
  199. 'Taux d\'escompte',
  200. 'Conditions de règlement *',
  201. 'Mode de paiement',
  202. 'Remise globale',
  203. 'Acompte',
  204. 'Nombre de relance',
  205. 'Commentaires',
  206. 'N° facture',
  207. 'Annulé',
  208. 'Catalogue',
  209. 'Réf.',
  210. 'Désignation *',
  211. 'Qté *',
  212. 'Unité',
  213. 'PU HT *',
  214. 'Remise',
  215. 'TVA',
  216. 'Total TVA',
  217. 'Total HT',
  218. 'Créateur',
  219. ];
  220. foreach($document->getProductsOrders() as $productOrderArray) {
  221. foreach($productOrderArray as $productOrder) {
  222. $price = $productOrder->getPrice() ;
  223. if($document->isInvoicePrice() && $productOrder->getInvoicePrice()) {
  224. $price = $productOrder->getInvoicePrice() ;
  225. }
  226. $datas[] = [
  227. $document->reference, // N° facture externe *
  228. date('d/m/Y', strtotime($document->date)), // Date facture *
  229. '', // Client
  230. $document->user->evoliz_code, // Code client *
  231. '', // Total TVA
  232. '', // Total HT
  233. '', // Total TTC
  234. '', // Total réglé
  235. '', // Etat
  236. '', // Date Etat
  237. '', // Date de création
  238. $document->name, // Objet
  239. '', // Date d'échéance
  240. '', // Date d'exécution
  241. '', // Taux de pénalité
  242. '', // Frais de recouvrement
  243. '', // Taux d\'escompte
  244. 'A réception', // Conditions de règlement *
  245. '', // Mode de paiement
  246. '', // Remise globale
  247. '', // Acompte
  248. '', // Nombre de relance
  249. '', // Commentaires
  250. '', // N° facture
  251. '', // Annulé
  252. 'Non', // Catalogue
  253. '', // Réf.
  254. $productOrder->product->name, // Désignation *
  255. $productOrder->quantity, // Qté *
  256. '', // Product::strUnit($productOrder->unit, 'wording'), // Unité
  257. $price, // PU HT *
  258. '', // Remise
  259. $productOrder->taxRate->value * 100, // TVA
  260. '', // Total TVA
  261. '', // Total HT
  262. '', // Créateur
  263. ];
  264. }
  265. }
  266. // nom fichier
  267. $reference = $document->id;
  268. if($document->reference && strlen($document->reference)) {
  269. $reference = $document->reference;
  270. }
  271. // status
  272. $status = '';
  273. if($document->isStatusDraft()) {
  274. $status = 'brouillon_';
  275. }
  276. CSV::downloadSendHeaders(strtolower($this->getDocumentType()).'_' . $status . $reference . '.csv');
  277. echo CSV::array2csv($datas);
  278. die();
  279. }
  280. public function actionDownload($id)
  281. {
  282. $document = $this->findModel($id);
  283. return $document->downloadPdf();
  284. }
  285. public function actionRegenerate($id)
  286. {
  287. $document = $this->findModel($id);
  288. $document->downloadPdf(true);
  289. Yii::$app->getSession()->setFlash('success', 'Le document PDF a bien été regénéré.');
  290. return $this->redirect([$this->getControllerUrl() . '/update', 'id' => $id]);
  291. }
  292. public function actionSend($id, $backUpdateForm = false)
  293. {
  294. $document = $this->findModel($id);
  295. if ($document->send()) {
  296. $document->is_sent = true;
  297. $document->save();
  298. Yii::$app->getSession()->setFlash('success', $this->getFlashMessage('send', $document));
  299. } else {
  300. Yii::$app->getSession()->setFlash('danger', $this->getFlashMessage('send', $document));
  301. }
  302. if($backUpdateForm) {
  303. return $this->redirect([$this->getControllerUrl() . '/update', 'id' => $id]);
  304. }
  305. else {
  306. return $this->redirect([$this->getControllerUrl() . '/index']);
  307. }
  308. }
  309. public function actionAjaxUserInfos($typeAction, $idUser, $classDocument, $idDocument = false)
  310. {
  311. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  312. if ($idUser > 0) {
  313. $user = UserModel::searchOne([
  314. 'id' => $idUser
  315. ]);
  316. if ($user) {
  317. $document = null;
  318. if (Document::isValidClass($classDocument)) {
  319. $document = $classDocument::searchOne([
  320. 'id' => $idDocument,
  321. 'id_user' => $idUser
  322. ]);
  323. }
  324. if ($document && $document->id_user == $user->id) {
  325. $address = $document->address;
  326. } else {
  327. $address = $user->getFullAddress();
  328. }
  329. $json = [
  330. 'return' => 'success',
  331. 'address' => $address
  332. ];
  333. if ($classDocument == 'Invoice') {
  334. $options = [
  335. 'orderby' => 'distribution.date ASC',
  336. 'join_with' => ['user AS user_delivery_note', 'orders', 'producer']
  337. ];
  338. $deliveryNotesCreateArray = DeliveryNote::searchAll([
  339. 'id_user' => $user->id,
  340. 'status' => Document::STATUS_VALID
  341. ], $options);
  342. $deliveryNotesUpdateArray = DeliveryNote::searchAll([
  343. 'id_user' => $user->id,
  344. 'status' => Document::STATUS_VALID,
  345. 'order.id_invoice' => $idDocument
  346. ], $options);
  347. $json['delivery_note_create_array'] = $this->initDeliveryNoteArray('create', $deliveryNotesCreateArray);
  348. $json['delivery_note_update_array'] = $this->initDeliveryNoteArray('update', $deliveryNotesUpdateArray);
  349. }
  350. return $json;
  351. }
  352. }
  353. return ['return' => 'error'];
  354. }
  355. public function initDeliveryNoteArray($type, $deliveryNoteArrayResults)
  356. {
  357. $deliveryNoteArray = [];
  358. $isCreate = false;
  359. if($type == 'create') {
  360. $isCreate = true;
  361. }
  362. if($deliveryNoteArrayResults) {
  363. foreach ($deliveryNoteArrayResults as $deliveryNote) {
  364. $deliveryNoteData = $this->addDeliveryNoteToArray($deliveryNote, $isCreate);
  365. if($deliveryNoteData) {
  366. $deliveryNoteArray[] = $deliveryNoteData;
  367. }
  368. }
  369. }
  370. return $deliveryNoteArray;
  371. }
  372. public function addDeliveryNoteToArray($deliveryNote, $isCreate = true)
  373. {
  374. $deliveryNoteData = array_merge(
  375. $deliveryNote->getAttributes(),
  376. [
  377. 'url' => Yii::$app->urlManager->createUrl(['delivery-note/update', 'id' => $deliveryNote->id]),
  378. 'total' => $deliveryNote->getAmountWithTax(Order::INVOICE_AMOUNT_TOTAL)
  379. ]
  380. );
  381. if (($isCreate && !$deliveryNote->isInvoiced()) || !$isCreate) {
  382. return $deliveryNoteData;
  383. }
  384. return false;
  385. }
  386. public function actionValidate($id, $backUpdateForm = false)
  387. {
  388. $classDocument = $this->getClass();
  389. if ($id > 0 && Document::isValidClass($classDocument)) {
  390. $document = $classDocument::searchOne([
  391. 'id' => $id
  392. ]);
  393. if ($document) {
  394. $document->changeStatus(Document::STATUS_VALID);
  395. $document->save();
  396. // génération PDF
  397. $document->generatePdf(Pdf::DEST_FILE);
  398. Yii::$app->getSession()->setFlash('success', $this->getFlashMessage('validate', $document));
  399. if($backUpdateForm) {
  400. return $this->redirect([$this->getControllerUrl() . '/update', 'id' => $id]);
  401. }
  402. else {
  403. return $this->redirect([$this->getControllerUrl() . '/index']);
  404. }
  405. }
  406. }
  407. Yii::$app->getSession()->setFlash('danger', 'Une erreur est survenue lors de la validation du document.');
  408. return $this->redirect([$this->getControllerUrl() . '/index']);
  409. }
  410. public function actionAjaxValidateDocument($idDocument, $classDocument)
  411. {
  412. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  413. if ($idDocument > 0 && Document::isValidClass($classDocument)) {
  414. $document = $classDocument::searchOne([
  415. 'id' => $idDocument
  416. ]);
  417. if ($document) {
  418. $document->changeStatus(Document::STATUS_VALID);
  419. $document->save();
  420. return [
  421. 'return' => 'success',
  422. 'alert' => [
  423. 'type' => 'success',
  424. 'message' => 'Document validé'
  425. ]
  426. ];
  427. }
  428. }
  429. return [
  430. 'return' => 'error',
  431. 'alert' => [
  432. 'type' => 'danger',
  433. 'message' => 'Une erreur est survenue lors de la validation du document.'
  434. ]
  435. ];
  436. }
  437. public function actionAjaxInit($idDocument, $classDocument)
  438. {
  439. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  440. if ($idDocument > 0 && Document::isValidClass($classDocument)) {
  441. $document = $classDocument::searchOne([
  442. 'id' => $idDocument
  443. ]);
  444. if ($document) {
  445. $productsArray = Product::searchAll([], [
  446. 'orderby' => 'product.order ASC'
  447. ]);
  448. $ordersArray = [];
  449. foreach ($document->orders as $order) {
  450. $order->init();
  451. $productsOrderArray = [];
  452. foreach ($order->productOrder as $productOrder) {
  453. $productsOrderArray[$productOrder->id] = array_merge($productOrder->getAttributes(), [
  454. 'url_order' => Yii::$app->urlManager->createUrl(['distribution/index', 'idOrderUpdate' => $productOrder->id_order])
  455. ]);
  456. }
  457. $ordersArray[$order->id] = array_merge(
  458. $order->getAttributes(),
  459. [
  460. 'username' => $order->getUsername(),
  461. 'distribution_date' => isset($order->distribution) ? date(
  462. 'd/m/Y',
  463. strtotime(
  464. $order->distribution->date
  465. )
  466. ) : null,
  467. 'point_sale_name' => isset($order->pointSale) ? $order->pointSale->name : null,
  468. 'productOrder' => $productsOrderArray,
  469. ]
  470. );
  471. }
  472. $userProducer = UserProducerModel::searchOne([
  473. 'id_user' => $document->user->id,
  474. 'id_producer' => GlobalParam::getCurrentProducerId()
  475. ]);
  476. $pointSale = PointSale::searchOne([
  477. 'id_user' => $document->user->id
  478. ]);
  479. $productsArray = yii\helpers\ArrayHelper::map(
  480. $productsArray,
  481. 'order',
  482. function ($product) use ($document, $userProducer, $pointSale) {
  483. return array_merge($product->getAttributes(), [
  484. 'unit_coefficient' => Product::$unitsArray[$product->unit]['coefficient'],
  485. 'prices' => $product->getPriceArray($userProducer->user, $pointSale),
  486. 'wording_unit' => $product->wording_unit,
  487. 'tax_rate' => $product->taxRate->value
  488. ]);
  489. }
  490. );
  491. return [
  492. 'return' => 'success',
  493. 'tax_rate_producer' => GlobalParam::getCurrentProducer()->taxRate->value,
  494. 'document' => array_merge($document->getAttributes(), [
  495. 'html_label' => $document->getHtmlLabel(),
  496. 'class' => $document->getClass()
  497. ]),
  498. 'id_user' => $document->user->id,
  499. 'products' => $productsArray,
  500. 'orders' => $ordersArray,
  501. 'total' => ($document->getClass() == 'Invoice' || $document->getClass(
  502. ) == 'DeliveryNote') ? $document->getAmount(
  503. Order::INVOICE_AMOUNT_TOTAL
  504. ) : $document->getAmount(Order::AMOUNT_TOTAL),
  505. 'total_with_tax' => ($document->getClass() == 'Invoice' || $document->getClass(
  506. ) == 'DeliveryNote') ? $document->getAmountWithTax(
  507. Order::INVOICE_AMOUNT_TOTAL
  508. ) : $document->getAmountWithTax(Order::AMOUNT_TOTAL),
  509. 'invoice_url' => ($document->getClass() == 'DeliveryNote' && $document->getInvoice()) ? Yii::$app->urlManager->createUrl(['invoice/update', 'id' => $document->getInvoice()->id]) : null
  510. ];
  511. }
  512. }
  513. return ['return' => 'error'];
  514. }
  515. public function actionAjaxAddProduct($idDocument, $classDocument, $idProduct, $quantity, $price)
  516. {
  517. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  518. if (Document::isValidClass($classDocument)) {
  519. $document = $classDocument::searchOne([
  520. 'id' => $idDocument
  521. ]);
  522. $product = Product::searchOne([
  523. 'id' => $idProduct
  524. ]);
  525. if ($document && $product) {
  526. if (count($document->orders) == 0) {
  527. $order = new Order;
  528. $order->id_user = $document->id_user;
  529. $order->id_point_sale = null;
  530. $order->id_distribution = null;
  531. $order->status = 'tmp-order';
  532. $order->origin = Order::ORIGIN_ADMIN;
  533. $order->date = date('Y-m-d H:i:s');
  534. $fieldIdDocument = 'id_' . $classDocument::tableName();
  535. $order->$fieldIdDocument = $document->id;
  536. $order->save();
  537. } else {
  538. $order = $document->orders[0];
  539. }
  540. if ($order) {
  541. $productOrder = new ProductOrder;
  542. $productOrder->id_order = $order->id;
  543. $productOrder->id_product = $idProduct;
  544. $quantity = $quantity / Product::$unitsArray[$product->unit]['coefficient'];
  545. $productOrder->quantity = $quantity;
  546. $productOrder->price = (float)$price;
  547. $productOrder->unit = $product->unit;
  548. $productOrder->step = $product->step;
  549. $productOrder->id_tax_rate = $product->taxRate->id;
  550. $productOrder->save();
  551. return [
  552. 'return' => 'success',
  553. 'alert' => [
  554. 'type' => 'success',
  555. 'message' => 'Produit ajouté'
  556. ]
  557. ];
  558. }
  559. }
  560. }
  561. return [
  562. 'return' => 'error',
  563. 'alert' => [
  564. 'type' => 'danger',
  565. 'message' => 'Une erreur est survenue lors de la suppression du produit.'
  566. ]
  567. ];
  568. }
  569. public function actionAjaxDeleteProductOrder($idProductOrder)
  570. {
  571. \Yii::$app->response->format = \yii\web\Response::FORMAT_JSON;
  572. $productOrder = ProductOrder::searchOne([
  573. 'id' => $idProductOrder
  574. ]);
  575. if ($productOrder) {
  576. $productOrder->delete();
  577. return [
  578. 'return' => 'success',
  579. 'alert' => [
  580. 'type' => 'danger',
  581. 'message' => 'Produit supprimé'
  582. ]
  583. ];
  584. }
  585. return [
  586. 'return' => 'error',
  587. 'alert' => [
  588. 'type' => 'danger',
  589. 'message' => 'Une erreur est survenue lors de la suppression du produit.'
  590. ]
  591. ];
  592. }
  593. public function getClass()
  594. {
  595. $class = get_class($this);
  596. $class = str_replace('Controller', '', $class);
  597. $class = str_replace('backend\controllers\\', '', $class);
  598. return $class;
  599. }
  600. public function getDocumentType()
  601. {
  602. $class = $this->getClass();
  603. if ($class == 'Invoice') {
  604. $documentType = 'Facture';
  605. } elseif ($class == 'DeliveryNote') {
  606. $documentType = 'Bon de livraison';
  607. } elseif ($class == 'Quotation') {
  608. $documentType = 'Devis';
  609. }
  610. if (isset($documentType)) {
  611. return $documentType;
  612. }
  613. return '';
  614. }
  615. public function getFlashMessage($type = 'create', $model)
  616. {
  617. $class = $this->getClass();
  618. $message = $this->getDocumentType();
  619. $message .= ' <strong>' . Html::encode($model->name) . '</strong> ';
  620. if ($type == 'create') {
  621. $message .= 'ajouté';
  622. } elseif ($type == 'update') {
  623. $message .= 'modifié';
  624. } elseif ($type == 'delete') {
  625. $message .= 'supprimé';
  626. } elseif ($type == 'validate') {
  627. $message .= 'validé';
  628. } elseif ($type == 'send') {
  629. $message .= 'envoyé';
  630. }
  631. if ($class == 'Invoice') {
  632. $message .= 'e';
  633. }
  634. return $message;
  635. }
  636. protected function getTitle($prepend)
  637. {
  638. $class = $this->getClass();
  639. switch ($class) {
  640. case 'Invoice' :
  641. $title = $prepend . ' une facture';
  642. break;
  643. case 'DeliveryNote' :
  644. $title = $prepend . ' un bon de livraison';
  645. break;
  646. case 'Quotation' :
  647. $title = $prepend . ' un devis';
  648. break;
  649. }
  650. return $title;
  651. }
  652. public function getControllerUrl()
  653. {
  654. $path = strtolower($this->getClass());
  655. $path = str_replace('deliverynote', 'delivery-note', $path);
  656. return $path;
  657. }
  658. /**
  659. * Recherche un Document en fonction de son ID.
  660. *
  661. * @param integer $id
  662. * @return Document
  663. * @throws NotFoundHttpException si le modèle n'est pas trouvé
  664. */
  665. protected function findModel($id)
  666. {
  667. $class = $this->getClass();
  668. $model = $class::searchOne([
  669. 'id' => $id
  670. ], [
  671. 'orderby' => 'teshtygjhtyt'
  672. ]);
  673. if ($model) {
  674. return $model;
  675. } else {
  676. throw new NotFoundHttpException('The requested page does not exist.');
  677. }
  678. }
  679. }