選択できるのは25トピックまでです。 トピックは、先頭が英数字で、英数字とダッシュ('-')を使用した35文字以内のものにしてください。

489 行
15KB

  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 common\models;
  38. use common\helpers\GlobalParam;
  39. use kartik\mpdf\Pdf;
  40. use Symfony\Component\Finder\Exception\DirectoryNotFoundException;
  41. use yii\base\ErrorException;
  42. class Document extends ActiveRecordCommon
  43. {
  44. const STATUS_DRAFT = 'draft';
  45. const STATUS_VALID = 'valid';
  46. const TAX_CALCULATION_METHOD_SUM_OF_ROUNDINGS = 'sum-roundings';
  47. const TAX_CALCULATION_METHOD_ROUNDING_OF_THE_SUM = 'rounding-sum';
  48. const TAX_CALCULATION_METHOD_DEFAULT = self::TAX_CALCULATION_METHOD_ROUNDING_OF_THE_SUM;
  49. public static $taxCalculationMethodArray = [
  50. self::TAX_CALCULATION_METHOD_ROUNDING_OF_THE_SUM => 'Arrondi de la somme des lignes',
  51. self::TAX_CALCULATION_METHOD_SUM_OF_ROUNDINGS => 'Somme des arrondis de chaque ligne'
  52. ];
  53. /**
  54. * @inheritdoc
  55. */
  56. public function rules()
  57. {
  58. return [
  59. [['name', 'id_user'], 'required'],
  60. [['date'], 'safe'],
  61. [['comment', 'address', 'tax_calculation_method'], 'string'],
  62. [['id_user', 'id_producer'], 'integer'],
  63. [['name', 'reference', 'status'], 'string', 'max' => 255],
  64. [['deliveryNotes'], 'safe']
  65. ];
  66. }
  67. /**
  68. * @inheritdoc
  69. */
  70. public function attributeLabels()
  71. {
  72. return [
  73. 'id' => 'ID',
  74. 'name' => 'Nom',
  75. 'reference' => 'Référence',
  76. 'date' => 'Date',
  77. 'comment' => 'Commentaire',
  78. 'id_user' => 'Utilisateur',
  79. 'address' => 'Adresse',
  80. 'id_producer' => 'Producteur',
  81. 'status' => 'Statut',
  82. 'tax_calculation_method' => 'Méthode de calcul de la TVA'
  83. ];
  84. }
  85. /*
  86. * Relations
  87. */
  88. public function getUser()
  89. {
  90. return $this->hasOne(User::className(), ['id' => 'id_user']);
  91. }
  92. public function getProducer()
  93. {
  94. return $this->hasOne(Producer::className(), ['id' => 'id_producer']);
  95. }
  96. public function relationOrders($fieldIdDocument)
  97. {
  98. $defaultOptionsSearch = Order::defaultOptionsSearch();
  99. return $this->hasMany(Order::className(), [$fieldIdDocument => 'id'])
  100. ->with($defaultOptionsSearch['with'])
  101. ->joinWith($defaultOptionsSearch['join_with'])
  102. ->orderBy('distribution.date ASC');
  103. }
  104. /*
  105. * Méthodes
  106. */
  107. public function getAmount($type = Order::AMOUNT_TOTAL, $format = false)
  108. {
  109. return $this->_getAmountGeneric($type, false, $format);
  110. }
  111. public function getAmountWithTax($type = Order::AMOUNT_TOTAL, $format = false)
  112. {
  113. return $this->_getAmountGeneric($type, true, $format);
  114. }
  115. protected function _getAmountGeneric($type = Order::AMOUNT_TOTAL, $withTax = true, $format = false)
  116. {
  117. $amount = 0;
  118. $totalVat = 0;
  119. $ordersArray = $this->orders;
  120. foreach ($ordersArray as $order) {
  121. $order->init($this->tax_calculation_method);
  122. $amount += $order->getAmount($type);
  123. $totalVat += $order->getTotalVat($type);
  124. }
  125. if ($this->isTaxCalculationMethodRoundingOfTheSum()) {
  126. $totalVat = Price::round($totalVat);
  127. }
  128. if ($withTax) {
  129. $amount += $totalVat;
  130. }
  131. if ($format) {
  132. return Price::format($amount);
  133. } else {
  134. return $amount;
  135. }
  136. }
  137. public function getTotalVatArray($typeTotal)
  138. {
  139. $totalVatArray = [];
  140. $ordersArray = $this->orders;
  141. foreach ($ordersArray as $order) {
  142. $order->init($this->tax_calculation_method);
  143. $fieldNameVat = $order->getFieldNameAmount($typeTotal, 'vat');
  144. foreach ($order->$fieldNameVat as $idTaxRate => $vat) {
  145. if (!isset($totalVatArray[$idTaxRate])) {
  146. $totalVatArray[$idTaxRate] = 0;
  147. }
  148. $totalVatArray[$idTaxRate] += $vat;
  149. }
  150. }
  151. return $totalVatArray;
  152. }
  153. public function getPointSale()
  154. {
  155. if (isset($this->orders) && isset($this->orders[0])) {
  156. return $this->orders[0]->pointSale;
  157. } else {
  158. return '';
  159. }
  160. }
  161. public function getDistribution()
  162. {
  163. if (isset($this->orders) && isset($this->orders[0])) {
  164. return $this->orders[0]->distribution;
  165. } else {
  166. return '';
  167. }
  168. }
  169. public function getClass()
  170. {
  171. return str_replace('common\models\\', '', get_class($this));
  172. }
  173. public function getType()
  174. {
  175. $class = $this->getClass();
  176. if ($class == 'Invoice') {
  177. $documentType = 'Facture';
  178. } elseif ($class == 'DeliveryNote') {
  179. $documentType = 'Bon de livraison';
  180. } elseif ($class == 'Quotation') {
  181. $documentType = 'Devis';
  182. }
  183. if (isset($documentType)) {
  184. return $documentType;
  185. }
  186. return '';
  187. }
  188. public function isValidClass($typeDocument)
  189. {
  190. return in_array($typeDocument, ['Invoice', 'DeliveryNote', 'Quotation']);
  191. }
  192. public function generateReference()
  193. {
  194. $class = $this->getClass();
  195. $classLower = strtolower($class);
  196. if ($classLower == 'deliverynote') {
  197. $classLower = 'delivery_note';
  198. }
  199. $prefix = Producer::getConfig('document_' . $classLower . '_prefix');
  200. $oneDocumentExist = $class::searchOne(['status' => Document::STATUS_VALID], ['orderby' => 'reference DESC']);
  201. if ($oneDocumentExist) {
  202. $reference = $oneDocumentExist->reference;
  203. $pattern = '#([A-Z]+)?([0-9]+)#';
  204. preg_match($pattern, $reference, $matches, PREG_OFFSET_CAPTURE);
  205. $sizeNumReference = strlen($matches[2][0]);
  206. $numReference = ((int)$matches[2][0]) + 1;
  207. $numReference = str_pad($numReference, $sizeNumReference, '0', STR_PAD_LEFT);
  208. return $prefix . $numReference;
  209. } else {
  210. $firstReference = Producer::getConfig('document_' . $classLower . '_first_reference');
  211. if (strlen($firstReference) > 0) {
  212. return $firstReference;
  213. } else {
  214. return $prefix . '00001';
  215. }
  216. }
  217. }
  218. public function downloadPdf()
  219. {
  220. $filenameComplete = $this->getFilenameComplete();
  221. if(!file_exists($filenameComplete)) {
  222. $this->generatePdf(Pdf::DEST_FILE);
  223. }
  224. if(file_exists($filenameComplete)) {
  225. return Yii::$app->response->sendFile($filenameComplete, $this->getFilename(), ['inline'=>true]);
  226. }
  227. else {
  228. throw new ErrorException('File '.$filenameComplete.' not found');
  229. }
  230. }
  231. public function generatePdf($destination)
  232. {
  233. $producer = GlobalParam::getCurrentProducer();
  234. $content = Yii::$app->controller->renderPartial('/document/download', [
  235. 'producer' => $producer,
  236. 'document' => $this
  237. ]);
  238. $contentFooter = '<div id="footer">';
  239. $contentFooter .= '<div class="infos-bottom">' . Html::encode($producer->document_infos_bottom) . '</div>';
  240. if ($this->isStatusValid() || $this->isStatusDraft()) {
  241. $contentFooter .= '<div class="reference-document">';
  242. if ($this->isStatusValid()) {
  243. $contentFooter .= $this->getType() . ' N°' . $this->reference;
  244. }
  245. if ($this->isStatusDraft()) {
  246. $contentFooter .= $this->getType() . ' non validé';
  247. if ($this->getType() == 'Facture') {
  248. $contentFooter .= 'e';
  249. }
  250. }
  251. $contentFooter .= '</div>';
  252. }
  253. $contentFooter .= '</div>';
  254. $marginBottom = 10;
  255. if (strlen(Producer::getConfig('document_infos_bottom')) > 0) {
  256. $marginBottom = 40;
  257. }
  258. $this->initDirectoryPdf();
  259. $pdf = new Pdf([
  260. 'mode' => Pdf::MODE_UTF8,
  261. 'format' => Pdf::FORMAT_A4,
  262. 'orientation' => Pdf::ORIENT_PORTRAIT,
  263. 'destination' => $destination,
  264. 'content' => $content,
  265. 'filename' => $this->getFilenameComplete(),
  266. 'cssFile' => Yii::getAlias('@webroot/css/document/download.css'),
  267. 'marginBottom' => $marginBottom,
  268. 'methods' => [
  269. 'SetHTMLFooter' => $contentFooter
  270. ]
  271. ]);
  272. return $pdf->render();
  273. }
  274. public function send()
  275. {
  276. if (isset($this->user) && strlen($this->user->email) > 0) {
  277. $producer = GlobalParam::getCurrentProducer();
  278. $subjectEmail = $this->getType();
  279. if ($this->isStatusValid()) {
  280. $subjectEmail .= ' N°' . $this->reference;
  281. }
  282. $email = Yii::$app->mailer->compose(
  283. [
  284. 'html' => 'sendDocument-html',
  285. 'text' => 'sendDocument-text'
  286. ], [
  287. 'document' => $this,
  288. ])
  289. ->setTo($this->user->email)
  290. ->setFrom([$producer->getEmailOpendistrib() => $producer->name])
  291. ->setSubject('[' . $producer->name . '] ' . $subjectEmail);
  292. $this->generatePdf(Pdf::DEST_FILE);
  293. $email->attach($this->getFilenameComplete());
  294. return $email->send();
  295. }
  296. return false;
  297. }
  298. public function changeStatus($status)
  299. {
  300. if ($status == Document::STATUS_VALID) {
  301. $this->status = $status;
  302. $this->reference = $this->generateReference();
  303. }
  304. }
  305. public function getStatusWording()
  306. {
  307. return ($this->status == self::STATUS_DRAFT) ? 'Brouillon' : 'Validé';
  308. }
  309. public function getStatusCssClass()
  310. {
  311. return ($this->status == self::STATUS_DRAFT) ? 'default' : 'success';
  312. }
  313. public function getHtmlLabel()
  314. {
  315. $label = $this->getStatusWording();
  316. $classLabel = $this->getStatusCssClass();
  317. return '<span class="label label-' . $classLabel . '">' . $label . '</span>';
  318. }
  319. public function isStatus($status)
  320. {
  321. return $this->status == $status;
  322. }
  323. public function isStatusDraft()
  324. {
  325. return $this->isStatus(self::STATUS_DRAFT);
  326. }
  327. public function isStatusValid()
  328. {
  329. return $this->isStatus(self::STATUS_VALID);
  330. }
  331. public function getProductsOrders()
  332. {
  333. $productsOrdersArray = [];
  334. $ordersArray = $this->orders;
  335. if ($ordersArray && count($ordersArray)) {
  336. foreach ($ordersArray as $order) {
  337. foreach ($order->productOrder as $productOrder) {
  338. $indexProductOrder = $productOrder->product->order;
  339. $newProductOrder = clone $productOrder;
  340. if (!isset($productsOrdersArray[$indexProductOrder])) {
  341. $productsOrdersArray[$indexProductOrder] = [$newProductOrder];
  342. } else {
  343. $productOrderMatch = false;
  344. foreach ($productsOrdersArray[$indexProductOrder] as &$theProductOrder) {
  345. if ($theProductOrder->unit == $productOrder->unit
  346. && ((!$this->isInvoicePrice() && $theProductOrder->price == $productOrder->price)
  347. || ($this->isInvoicePrice() && $theProductOrder->invoice_price == $productOrder->invoice_price)
  348. )) {
  349. $theProductOrder->quantity += $productOrder->quantity;
  350. $productOrderMatch = true;
  351. }
  352. }
  353. if (!$productOrderMatch) {
  354. $productsOrdersArray[$indexProductOrder][] = $newProductOrder;
  355. }
  356. }
  357. }
  358. }
  359. }
  360. // tri des orderProduct par product.order
  361. ksort($productsOrdersArray);
  362. return $productsOrdersArray;
  363. }
  364. public function isDisplayOrders()
  365. {
  366. $displayOrders = ($this->getClass() == 'Invoice') ?
  367. Producer::getConfig('document_display_orders_invoice') :
  368. Producer::getConfig('document_display_orders_delivery_note');
  369. return $displayOrders;
  370. }
  371. public function getAliasDirectoryBase()
  372. {
  373. return '@app/web/pdf/'.$this->id_producer.'/';
  374. }
  375. public function initDirectoryPdf()
  376. {
  377. $aliasDirectoryBase = $this->getAliasDirectoryBase();
  378. $directoryPdf = Yii::getAlias($aliasDirectoryBase);
  379. if(!file_exists($directoryPdf)) {
  380. mkdir($directoryPdf, 0755);
  381. }
  382. }
  383. public function getFilename()
  384. {
  385. return $this->getType() . '-' . $this->reference . '.pdf';
  386. }
  387. public function getFilenameComplete()
  388. {
  389. return Yii::getAlias($this->getAliasDirectoryBase() . $this->getFilename());
  390. }
  391. public function isInvoicePrice()
  392. {
  393. return $this->getClass() == 'Invoice' || $this->getClass() == 'DeliveryNote';
  394. }
  395. public function isTaxCalculationMethodSumOfRoundings()
  396. {
  397. return $this->tax_calculation_method == self::TAX_CALCULATION_METHOD_SUM_OF_ROUNDINGS;
  398. }
  399. public function isTaxCalculationMethodRoundingOfTheSum()
  400. {
  401. return $this->tax_calculation_method == self::TAX_CALCULATION_METHOD_ROUNDING_OF_THE_SUM;
  402. }
  403. public function initTaxCalculationMethod()
  404. {
  405. $producerTaxCalculationMethod = Producer::getConfig('option_tax_calculation_method');
  406. if ($producerTaxCalculationMethod) {
  407. $this->tax_calculation_method = $producerTaxCalculationMethod;
  408. } else {
  409. $this->tax_calculation_method = self::TAX_CALCULATION_METHOD_DEFAULT;
  410. }
  411. }
  412. }