This repository has been archived by the owner on Mar 17, 2020. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 10
/
hipay.php
executable file
·1394 lines (1247 loc) · 57.2 KB
/
hipay.php
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
<?php
/*
* 2007-2015 PrestaShop
*
* NOTICE OF LICENSE
*
* This source file is subject to the Academic Free License (AFL 3.0)
* that is bundled with this package in the file LICENSE.txt.
* It is also available through the world-wide-web at this URL:
* http://opensource.org/licenses/afl-3.0.php
* If you did not receive a copy of the license and are unable to
* obtain it through the world-wide-web, please send an email
* to [email protected] so we can send you a copy immediately.
*
* DISCLAIMER
*
* Do not edit or add to this file if you wish to upgrade PrestaShop to newer
* versions in the future. If you wish to customize PrestaShop for your
* needs please refer to http://www.prestashop.com for more information.
*
* @author PrestaShop SA <[email protected]>
* @copyright 2007-2011 PrestaShop SA
* @license http://opensource.org/licenses/afl-3.0.php Academic Free License (AFL 3.0)
* International Registered Trademark & Property of PrestaShop SA
*
* SUPPORT HIPAY <[email protected]>
* http://www.hipay.com
*
* Bugfix sur la v1.6.9 (JPN):
* - Erreur 500 sur la validation de commande
* - Création d'un nouveau statut de commande "En attente de paiement HiPay"
* - Gestion du callback authorization - waiting
* - Transfert du logo de la boutique vers la page de paiement (seulement si le site est en HTTPS)
* - Compatible Multiboutique
* - Supression d'appels de fonctions inutiles sur la validation
*
*/
if (!defined('_PS_VERSION_'))
exit;
define('DEV', 0);
define('PROD', 1);
define('HIPAY_LOG', 0);
class Hipay extends PaymentModule
{
private $arrayCategories;
private $env = PROD;
protected $ws_client = false;
const WS_SERVER = 'http://api.prestashop.com/';
const WS_URL = 'http://api.prestashop.com/partner/hipay/hipay.php';
public function __construct()
{
$this->name = 'hipay';
$this->tab = 'payments_gateways';
$this->version = '1.6.13';
$this->module_key = 'ab188f639335535838c7ee492a2e89f8';
$this->is_eu_compatible = 1;
$this->currencies = true;
$this->currencies_mode = 'radio';
$this->author = 'PrestaShop';
parent::__construct();
$this->displayName = 'HiPay';
$this->description = $this->l('Secure payement with Visa, Mastercard and European solutions.');
$request = '
SELECT iso_code
FROM '._DB_PREFIX_.'country as c
LEFT JOIN '._DB_PREFIX_.'zone as z
ON z.id_zone = c.id_zone
WHERE ';
$result = Db::getInstance()->ExecuteS($request.$this->getRequestZones());
foreach ($result as $num => $iso)
$this->limited_countries[] = $iso['iso_code'];
if ($this->id)
{
// Define extracted from mapi/mapi_defs.php
if (!defined('HIPAY_GATEWAY_URL'))
define('HIPAY_GATEWAY_URL','https://'.($this->env ? '' : 'test.').'payment.hipay.com/order/');
}
/** Backward compatibility */
require(_PS_MODULE_DIR_.'hipay/backward_compatibility/backward.php');
if (!class_exists('SoapClient'))
$this->warning .= $this->l('To work properly the module need the Soap library to be installed.');
else
$this->ws_client = $this->getWsClient();
}
public function install()
{
Configuration::updateValue('HIPAY_SALT', uniqid());
if (!Configuration::get('HIPAY_UNIQID'))
Configuration::updateValue('HIPAY_UNIQID', uniqid());
if (!Configuration::get('HIPAY_RATING'))
Configuration::updateValue('HIPAY_RATING', 'ALL');
if (!(parent::install() && $this->registerHook('payment') && $this->registerHook('displayPaymentEU') && $this->registerHook('paymentReturn') && $this->_createAuthorizationOrderState()))
return false;
$result = Db::getInstance()->ExecuteS('
SELECT `id_zone`, `name`
FROM `'._DB_PREFIX_.'zone`
WHERE `active` = 1
');
foreach ($result as $rowNumber => $rowValues)
{
Configuration::deleteByName('HIPAY_AZ_'.$rowValues['id_zone']);
Configuration::deleteByName('HIPAY_AZ_ALL_'.$rowValues['id_zone']);
}
Db::getInstance()->Execute('DELETE FROM `'._DB_PREFIX_.'module_country` WHERE `id_module` = '.(int)$this->id);
return true;
}
private function _createAuthorizationOrderState()
{
if (!Configuration::get('HIPAY_AUTHORIZATION_OS'))
{
$os = new OrderState();
$os->name = array();
foreach (Language::getLanguages(false) as $language)
if (Tools::strtolower($language['iso_code']) == 'fr')
$os->name[(int)$language['id_lang']] = 'Autorisation acceptée par HiPay';
else
$os->name[(int)$language['id_lang']] = 'Authorization accepted by HiPay';
$os->color = '#4169E1';
$os->hidden = false;
$os->send_email = false;
$os->delivery = false;
$os->logable = false;
$os->invoice = false;
if ($os->add())
{
Configuration::updateValue('HIPAY_AUTHORIZATION_OS', $os->id);
copy(dirname(__FILE__).'/logo.gif', dirname(__FILE__).'/../../img/os/'.(int)$os->id.'.gif');
}
else
return false;
}
if (!Configuration::get('HIPAY_WAITINGPAYMENT_OS'))
{
$os = new OrderState();
$os->name = array();
foreach (Language::getLanguages(false) as $language)
if (Tools::strtolower($language['iso_code']) == 'fr')
$os->name[(int)$language['id_lang']] = 'En attente de paiement HiPay';
else
$os->name[(int)$language['id_lang']] = 'Pending payment HiPay';
$os->color = '#FAAC58';
$os->hidden = false;
$os->send_email = false;
$os->delivery = false;
$os->logable = false;
$os->invoice = false;
if ($os->add())
{
Configuration::updateValue('HIPAY_WAITINGPAYMENT_OS', $os->id);
copy(dirname(__FILE__).'/logo.gif', dirname(__FILE__).'/../../img/os/'.(int)$os->id.'.gif');
}
else{
// trasnlate - Erreur sur la mise à jour du statut de commande - En attente de paiement HiPay.
$object->upgrade_detail[$this->version][] = $this->l('Error on the order status update - Pending Payment HiPay.');
return false;
}
}
if (!Configuration::get('HIPAY_VERSION'))
{
Configuration::updateValue('HIPAY_VERSION', $this->version);
}
return true;
}
/**
* Set shipping zone search
*
* @param string $searchField = 'z.id_zone'
* @param int $defaultZone = 1
* @return string
*/
private function getRequestZones($searchField='z.id_zone', $defaultZone = 1)
{
$result = Db::getInstance()->ExecuteS('
SELECT `id_zone`, `name`
FROM `'._DB_PREFIX_.'zone`
WHERE `active` = 1
');
$tmp = null;
foreach ($result as $rowNumber => $rowValues)
if (strcmp(Configuration::get('HIPAY_AZ_'.$rowValues['id_zone']), 'ok') == 0)
$tmp .= $searchField.' = '.$rowValues['id_zone'].' OR ';
if ($tmp == null)
$tmp = $searchField.' = '.$defaultZone;
else
$tmp = substr($tmp, 0, strlen($tmp) - strlen(' OR '));
return $tmp;
}
public function hookPaymentReturn()
{
if (!$this->active)
return null;
return $this->display(__FILE__, (version_compare(_PS_VERSION_, '1.5.0.0', '<') ? '/views/templates/hook/' : '') . 'confirmation.tpl');
}
public function isPaymentPossible()
{
$currency = new Currency($this->getModuleCurrency($this->context->cart));
$hipayAccount = Configuration::get('HIPAY_ACCOUNT_'.$currency->iso_code);
$hipayPassword = Configuration::get('HIPAY_PASSWORD_'.$currency->iso_code);
$hipaySiteId = Configuration::get('HIPAY_SITEID_'.$currency->iso_code);
$hipayCategory = Configuration::get('HIPAY_CATEGORY_'.$currency->iso_code);
# Restructuration du return par Johan PROTIN (jprotin at hipay dot com)
return array(
$hipayAccount,
$hipayPassword,
$hipaySiteId,
$hipayCategory,
Configuration::get('HIPAY_RATING'),
$this->context->cart->getOrderTotal() >= 2
);
}
public function hookPayment($params)
{
global $smarty, $cart;
$logo_suffix = strtoupper(Configuration::get('HIPAY_PAYMENT_BUTTON'));
if (!in_array($logo_suffix, array('DE', 'FR', 'GB', 'BE', 'ES', 'IT', 'NL', 'PT', 'BR')))
$logo_suffix = 'DEFAULT';
# Restructuration du return par Johan PROTIN (jprotin at hipay dot com)
$isPay = $this->isPaymentPossible();
if ($isPay[0] && $isPay[1] && $isPay[2] && $isPay[3] && $isPay[4] && $isPay[5])
{
if (Tools::getIsset('hipay_error') && Tools::getValue('hipay_error') == 1)
if (version_compare(_PS_VERSION_, '1.5.0.0', '>='))
Context::getContext()->controller->errors[] = $this->l('An error has occurred during your payment, please try again.');
else
$smarty->assign('errors', array($this->l('An error has occurred during your payment, please try again.')));
$smarty->assign('hipay_prod', $this->env);
$smarty->assign('logo_suffix', $logo_suffix);
$smarty->assign(array(
'this_path' => $this->_path,
'redirection_url' => (version_compare(_PS_VERSION_, '1.5.0.0', '<') ? Tools::getShopDomainSsl(true).__PS_BASE_URI__.'modules/'.$this->name.'/redirect.php' : Context::getContext()->link->getModuleLink('hipay', 'redirect')),
));
return $this->display(__FILE__, (version_compare(_PS_VERSION_, '1.5.0.0', '<') ? '/views/templates/hook/' : '') . 'payment.tpl');
}
}
public function hookDisplayPaymentEU($params)
{
$isPay = $this->isPaymentPossible();
if ($isPay[0] && $isPay[1] && $isPay[2] && $isPay[3] && $isPay[4] && $isPay[5])
{
$logo = $this->_path ."payment_button/EU.png";
return array(
'cta_text' => $this->l('Hipay'),
'logo' => $logo,
'action' => Tools::getShopDomainSsl(true).__PS_BASE_URI__.'modules/'.$this->name.'/redirect.php'
);
}
}
private function getModuleCurrency($cart)
{
$id_currency = (int)self::MysqlGetValue('SELECT id_currency FROM `'._DB_PREFIX_.'module_currency` WHERE id_module = '.(int)$this->id);
if (!$id_currency OR $id_currency == -2)
$id_currency = Configuration::get('PS_CURRENCY_DEFAULT');
elseif ($id_currency == -1)
$id_currency = $cart->id_currency;
return $id_currency;
}
private function formatLanguageCode($language_code)
{
$languageCodeArray = preg_split('/-|_/', $language_code);
if (!isset($languageCodeArray[1]))
$languageCodeArray[1] = $languageCodeArray[0];
return strtolower($languageCodeArray[0]).'_'.strtoupper($languageCodeArray[1]);
}
public function payment()
{
if (!$this->active)
return;
global $cart;
$id_currency = (int)$this->getModuleCurrency($cart);
// If the currency is forced to a different one than the current one, then the cart must be updated
if ($cart->id_currency != $id_currency)
if (Db::getInstance()->execute('UPDATE '._DB_PREFIX_.'cart SET id_currency = '.(int)$id_currency.' WHERE id_cart = '.(int)$cart->id))
$cart->id_currency = $id_currency;
$currency = new Currency($id_currency);
$language = new Language($cart->id_lang);
$customer = new Customer($cart->id_customer);
require_once(dirname(__FILE__).'/mapi/mapi_package.php');
$hipayAccount = Configuration::get('HIPAY_ACCOUNT_'.$currency->iso_code);
$hipayPassword = Configuration::get('HIPAY_PASSWORD_'.$currency->iso_code);
$hipaySiteId = Configuration::get('HIPAY_SITEID_'.$currency->iso_code);
$hipaycategory = Configuration::get('HIPAY_CATEGORY_'.$currency->iso_code);
$paymentParams = new HIPAY_MAPI_PaymentParams();
$paymentParams->setLogin($hipayAccount, $hipayPassword);
$paymentParams->setAccounts($hipayAccount, $hipayAccount);
// EN_us is not a standard format, but that's what Hipay uses
if (isset($language->language_code))
$paymentParams->setLocale($this->formatLanguageCode($language->language_code));
else
$paymentParams->setLocale(Tools::strtolower($language->iso_code).'_'.Tools::strtoupper($language->iso_code));
$paymentParams->setMedia('WEB');
$paymentParams->setRating(Configuration::get('HIPAY_RATING'));
$paymentParams->setPaymentMethod(HIPAY_MAPI_METHOD_SIMPLE);
$paymentParams->setCaptureDay(HIPAY_MAPI_CAPTURE_IMMEDIATE);
$paymentParams->setCurrency(Tools::strtoupper($currency->iso_code));
$paymentParams->setIdForMerchant($cart->id);
$paymentParams->setMerchantSiteId($hipaySiteId);
$paymentParams->setIssuerAccountLogin(Context::getContext()->customer->email);
if (version_compare(_PS_VERSION_, '1.5.0.0', '<'))
{
$paymentParams->setUrlCancel(Tools::getShopDomainSsl(true).__PS_BASE_URI__.'order.php?step=3');
$paymentParams->setUrlNok(Tools::getShopDomainSsl(true).__PS_BASE_URI__.'order.php?step=3&hipay_error=1');
$paymentParams->setUrlOk(Tools::getShopDomainSsl(true).__PS_BASE_URI__.'order-confirmation.php?id_cart='.(int)$cart->id.'&id_module='.(int)$this->id.'&key='.$customer->secure_key);
$paymentParams->setUrlAck(Tools::getShopDomainSsl(true).__PS_BASE_URI__.'modules/'.$this->name.'/validation.php?token='.Tools::encrypt($cart->id.$cart->secure_key.Configuration::get('HIPAY_SALT')));
#
# Patch transfert du logo vers la page de paiement
# Le 16/11/2015 par Johan PROTIN (jprotin at hipay dot com)
#
if (isset($_SERVER['HTTPS']) && $_SERVER['HTTPS'] != 'off') {
// Si le site utilise le protocol HTTPS alors on envoit l'URL avec HTTPS
$logo_url = Tools::getShopDomainSsl(true)._PS_IMG_.Configuration::get('PS_LOGO');
$paymentParams->setLogoUrl($logo_url);
}
# ------------------------------------------------
}
else
{
$paymentParams->setUrlCancel(Context::getContext()->link->getPageLink('order', null, null, array('step' => 3)));
$paymentParams->setUrlNok(Context::getContext()->link->getPageLink('order', null, null, array('step' => 3, 'hipay_error' => 1)));
$paymentParams->setUrlOk(Context::getContext()->link->getPageLink('order-confirmation', null, null, array('id_cart' => (int)$cart->id, 'id_module' => (int)$this->id, 'key' => $customer->secure_key)));
$paymentParams->setUrlAck(Context::getContext()->link->getModuleLink('hipay', 'validation', array('token' => Tools::encrypt($cart->id.$cart->secure_key.Configuration::get('HIPAY_SALT')))));
#
# Patch transfert du logo vers la page de paiement
# Le 16/11/2015 par Johan PROTIN (jprotin at hipay dot com)
#
if (isset($_SERVER['HTTPS']) && $_SERVER['HTTPS'] != 'off') {
// Si le site utilise le protocol HTTPS alors on envoit l'URL avec HTTPS
$logo_url = $this->context->link->getMediaLink(_PS_IMG_.Configuration::get('PS_LOGO'));
$paymentParams->setLogoUrl($logo_url);
}
# ------------------------------------------------
}
$paymentParams->setBackgroundColor('#FFFFFF');
if (!$paymentParams->check())
return $this->l('[Hipay] Error: cannot create PaymentParams');
$item = new HIPAY_MAPI_Product();
$item->setName($this->l('Cart'));
$item->setInfo('');
$item->setquantity(1);
$item->setRef($cart->id);
$item->setCategory($hipaycategory);
$item->setPrice($cart->getOrderTotal());
try {
if (!$item->check())
return $this->l('[Hipay] Error: cannot create "Cart" Product');
} catch (Exception $e) {
return $this->l('[Hipay] Error: cannot create "Cart" Product');
}
$items = array($item);
$order = new HIPAY_MAPI_Order();
$order->setOrderTitle($this->l('Order total'));
$order->setOrderCategory($hipaycategory);
if (!$order->check())
return $this->l('[Hipay] Error: cannot create Order');
try {
$commande = new HIPAY_MAPI_SimplePayment($paymentParams, $order, $items);
} catch (Exception $e) {
return $this->l('[Hipay] Error:').' '.$e->getMessage();
}
$xmlTx = $commande->getXML();
$output = HIPAY_MAPI_SEND_XML::sendXML($xmlTx);
$reply = HIPAY_MAPI_COMM_XML::analyzeResponseXML($output, $url, $err_msg, $err_keyword, $err_value, $err_code);
if ($reply === true)
Tools::redirectLink($url);
else
{
if (version_compare(_PS_VERSION_, '1.5.0.0', '<'))
{
global $smarty;
include(dirname(__FILE__).'/../../header.php');
$smarty->assign('errors', array('[Hipay] '.strval($err_msg).' ('.$output.')'));
$_SERVER['HTTP_REFERER'] = Tools::getShopDomainSsl(true).__PS_BASE_URI__.'order.php?step=3';
$smarty->display(_PS_THEME_DIR_.'errors.tpl');
include(dirname(__FILE__).'/../../footer.php');
}
else
{
Context::getContext()->controller->errors[] = '[Hipay] '.strval($err_msg).' ('.$output.')';
$_SERVER['HTTP_REFERER'] = Context::getContext()->link->getPageLink('order', true, null, array('step' => 3));
}
}
return $reply;
}
public function validation()
{
# LOG
$message = '######################################'."\r\n";
$message .= '# Date Début Validation - ' . date("d/m/Y H:i:s") ."\r\n";
$message .= '#### Module actif - ' . ($this->active ? 'TRUE':'FALSE')."\r\n";
$message .= '#### Variable POST :'."\r\n";
$message .= print_r($_POST, true);
$message .= "\r\n";
# ---
$this->HipayLog($message);
if (!$this->active)
return;
if (!array_key_exists('xml', $_POST))
return;
if (_PS_MAGIC_QUOTES_GPC_)
$_POST['xml'] = stripslashes($_POST['xml']);
require_once(dirname(__FILE__).'/mapi/mapi_package.php');
# LOG
$this->HipayLog('#### Début HIPAY_MAPI_COMM_XML::analyzeNotificationXML'."\r\n");
# ---
if (HIPAY_MAPI_COMM_XML::analyzeNotificationXML($_POST['xml'], $operation, $status, $date, $time, $transid, $amount, $currency, $id_cart, $data) === false)
{
file_put_contents('logs'.Configuration::get('HIPAY_UNIQID').'.txt', '['.date('Y-m-d H:i:s').'] Analysis error: '.htmlentities($_POST['xml'])."\n", FILE_APPEND);
return false;
}
# LOG
$message = '#### Fin HIPAY_MAPI_COMM_XML::analyzeNotificationXML'."\r\n";
$message .= '#### Version Prestashop : ' . _PS_VERSION_;
# ---
$this->HipayLog($message);
if (version_compare(_PS_VERSION_, '1.5.0.0', '>='))
{
# LOG
$this->HipayLog('#### ID Panier : ' . (int)$id_cart."\r\n");
# ---
Context::getContext()->cart = new Cart((int)$id_cart);
}
$cart = new Cart((int)$id_cart);
# LOG
$message = '#### TOKEN : ' . Tools::getValue('token')."\r\n";
$message .= '#### SECURE KEY : ' . $cart->secure_key."\r\n";
$message .= '#### HIPAY SALT : ' . Configuration::get('HIPAY_SALT')."\r\n";
$message .= '#### CLE ENCRYPTE : ' . Tools::encrypt($cart->id.$cart->secure_key.Configuration::get('HIPAY_SALT'))."\r\n";
# ---
$this->HipayLog($message);
if (Tools::encrypt($cart->id.$cart->secure_key.Configuration::get('HIPAY_SALT')) != Tools::getValue('token'))
{
# LOG
$this->HipayLog('#### TOKEN = CLE : NOK'."\r\n");
# ---
file_put_contents('logs'.Configuration::get('HIPAY_UNIQID').'.txt', '['.date('Y-m-d H:i:s').'] Token error: '.htmlentities($_POST['xml'])."\n", FILE_APPEND);
} else {
# LOG
$message = '#### Opération : ' . trim($operation) ."\r\n";
$message .= '#### Status : ' . trim(strtolower($status)) ."\r\n";
# ---
$this->HipayLog($message);
if (trim($operation) == 'authorization' && trim(strtolower($status)) == 'waiting')
{
// Authorization WAITING
$orderMessage = $operation.": ".$status."\ndate: ".$date." ".$time."\ntransaction: ".$transid."\namount: ".(float)$amount." ".$currency."\nid_cart: ".(int)$id_cart;
//$this->_createAuthorizationOrderState();
$this->validateOrder((int)$id_cart, Configuration::get('HIPAY_WAITINGPAYMENT_OS'), (float)$amount, $this->displayName, $orderMessage, array(), NULL, false, $cart->secure_key);
# LOG
$this->HipayLog('######## AW - création Commande / status : ' . (int)Configuration::get('HIPAY_WAITINGPAYMENT_OS') . "\r\n");
# ---
}else if (trim($operation) == 'authorization' && trim(strtolower($status)) == 'ok')
{
// vérification si commande existante
$id_order = Order::getOrderByCartId((int)$id_cart);
# LOG
$this->HipayLog('######## AOK - ID Commande : ' . ($id_order ? $id_order:'Pas de commande') . "\r\n");
# ---
if ($id_order !== false)
{
// change statut si commande en attente de paiement
$order = new Order((int)$id_order);
if ((int)$order->getCurrentState() == (int)Configuration::get('HIPAY_WAITINGPAYMENT_OS'))
{
// on affecte à la commande au statut paiement autorisé par HiPay
$statut_id = Configuration::get('HIPAY_AUTHORIZATION_OS');
$order_history = new OrderHistory();
$order_history->id_order = $id_order;
$order_history->changeIdOrderState($statut_id, $id_order);
$order_history->addWithemail();
# LOG
$this->HipayLog('######## AOK - Historique Commande / Change status : ' . (int)Configuration::get('HIPAY_AUTHORIZATION_OS') . "\r\n");
# ---
}
}else{
// on revérifie si la commande n'existe pas au cas où la capture soit arrivée avant
// sinon on ne fait rien
$id_order = Order::getOrderByCartId((int)$id_cart);
if ($id_order === false)
{
// Authorization OK
$orderMessage = $operation.": ".$status."\ndate: ".$date." ".$time."\ntransaction: ".$transid."\namount: ".(float)$amount." ".$currency."\nid_cart: ".(int)$id_cart;
//$this->_createAuthorizationOrderState();
$this->validateOrder((int)$id_cart, Configuration::get('HIPAY_AUTHORIZATION_OS'), (float)$amount, $this->displayName, $orderMessage, array(), NULL, false, $cart->secure_key);
# LOG
$this->HipayLog('######## AOK - création Commande / status : ' . (int)Configuration::get('HIPAY_AUTHORIZATION_OS') . "\r\n");
# ---
}
}
}
else if (trim($operation) == 'capture' && trim(strtolower($status)) == 'ok')
{
// Capture OK
$orderMessage = $operation.": ".$status."\ndate: ".$date." ".$time."\ntransaction: ".$transid."\namount: ".(float)$amount." ".$currency."\nid_cart: ".(int)$id_cart;
$id_order = Order::getOrderByCartId((int)$id_cart);
# LOG
$this->HipayLog('######## COK - ID Commande : ' . ($id_order ? $id_order:'Pas de commande') . "\r\n");
# ---
if ($id_order !== false)
{
# LOG
$this->HipayLog('######## COK - id_order existant' . "\r\n");
# ---
$order = new Order((int)$id_order);
# LOG
$this->HipayLog('######## COK - objet order loadé' . "\r\n");
# ---
// si la commande est au statut Autorisation ok ou en attente de paiement
// on change le statut en paiement accepté
if ((int)$order->getCurrentState() == (int)Configuration::get('HIPAY_AUTHORIZATION_OS')
|| (int)$order->getCurrentState() == (int)Configuration::get('HIPAY_WAITINGPAYMENT_OS'))
{
$statut_id = Configuration::get('PS_OS_PAYMENT');
$order_history = new OrderHistory();
$order_history->id_order = $id_order;
$order_history->changeIdOrderState($statut_id, $id_order);
$order_history->addWithemail();
# LOG
$this->HipayLog('######## COK - Historique Commande / Change status : ' . (int)Configuration::get('PS_OS_PAYMENT') . "\r\n");
# ---
}
}
else
{
$this->validateOrder((int)$id_cart, Configuration::get('PS_OS_PAYMENT'), (float)$amount, $this->displayName, $orderMessage, array(), NULL, false, $cart->secure_key);
# LOG
$this->HipayLog('######## COK - création Commande / status : ' . (int)Configuration::get('PS_OS_PAYMENT') . "\r\n");
# ---
}
// Commande que prestashop lance mais n'a aucune incidence dans le module...
// Ajouté en commentaire
// Configuration::updateValue('HIPAY_CONFIGURATION_OK', true);
}
else if (trim($operation) == 'capture' && trim(strtolower($status)) == 'nok')
{
// Capture NOK
$id_order = Order::getOrderByCartId((int)$id_cart);
# LOG
$this->HipayLog('######## CNOK - ID Commande : ' . ($id_order ? $id_order:'Pas de commande') . "\r\n");
# ---
if ($id_order !== false)
{
$order = new Order((int)$id_order);
if ((int)$order->getCurrentState() == (int)Configuration::get('HIPAY_AUTHORIZATION_OS'))
{
$statut_id = Configuration::get('PS_OS_ERROR');
$order_history = new OrderHistory();
$order_history->id_order = $id_order;
$order_history->changeIdOrderState($statut_id, $id_order);
$order_history->addWithemail();
# LOG
$this->HipayLog('######## CNOK - Historique Commande / Change status : ' . (int)Configuration::get('PS_OS_ERROR') . "\r\n");
# ---
}
}
}
elseif (trim($operation) == 'refund' AND trim(strtolower($status)) == 'ok')
{
/* Paiement remboursé sur Hipay */
if (!($id_order = Order::getOrderByCartId((int)($id_cart))))
die(Tools::displayError());
$order = new Order((int)($id_order));
if (!$order->valid OR $order->getCurrentState() === Configuration::get('PS_OS_REFUND'))
die(Tools::displayError());
$statut_id = Configuration::get('PS_OS_REFUND');
$order_history = new OrderHistory();
$order_history->id_order = $id_order;
$order_history->changeIdOrderState($statut_id, $id_order);
$order_history->addWithemail();
# LOG
$this->HipayLog('######## ROK - Historique Commande / Change status : ' . (int)Configuration::get('PS_OS_REFUND') . "\r\n");
# ---
}
}
#
# Patch LOG Pour les erreurs 500
#
$message = '# Date Fin Validation - ' . date("d/m/Y H:i:s") ."\r\n";
$message .= '######################################'."\r\n";
$this->HipayLog($message);
# ---------------------------------------------------------
return true;
}
/**
* Uninstall and clean the module settings
*
* @return bool
*/
public function uninstall()
{
parent::uninstall();
$result = Db::getInstance()->ExecuteS('
SELECT `id_zone`, `name`
FROM `'._DB_PREFIX_.'zone`
WHERE `active` = 1
');
foreach ($result as $rowValues)
{
Configuration::deleteByName('HIPAY_AZ_'.$rowValues['id_zone']);
Configuration::deleteByName('HIPAY_AZ_ALL_'.$rowValues['id_zone']);
}
Db::getInstance()->Execute('DELETE FROM `'._DB_PREFIX_.'module_country` WHERE `id_module` = '.(int)$this->id);
return (true);
}
public function getContent()
{
global $currentIndex;
$warnings = '';
$shopId = false;
if ($currentIndex == '' && version_compare(_PS_VERSION_, '1.5.0.0', '>='))
{
$currentIndex = 'index.php?controller='.Tools::safeOutput(Tools::getValue('controller'));
}
#
# Patch Gestion de la multiboutique si PS >= 1.5.0.0
# Le 16/11/2015 par Johan PROTIN (jprotin at hipay dot com)
#
if(version_compare(_PS_VERSION_, '1.5.0.0', '>=')){
$shopId = Context::getContext()->shop->id;
}
# -------------------------------------------------
$currencies = DB::getInstance()->ExecuteS('SELECT c.iso_code, c.name, c.sign FROM '._DB_PREFIX_.'currency c');
if (Tools::isSubmit('submitHipayAZ'))
{
// Delete all configurated zones
foreach ($_POST as $key => $val)
{
if (strncmp($key, 'HIPAY_AZ_ALL_', strlen('HIPAY_AZ_ALL_')) == 0)
{
$id = substr($key, -(strlen($key) - strlen('HIPAY_AZ_ALL_')));
Configuration::updateValue('HIPAY_AZ_'.$id, 'ko');
}
}
#
# Patch Prise en compte du shop id si PS >= 1.5.0.0
# Le 16/11/2015 par Johan PROTIN (jprotin at hipay dot com)
#
$reqZone = 'DELETE FROM `'._DB_PREFIX_.'module_country` WHERE `id_module` = '.(int)$this->id;
if($shopId)
{
$reqZone .= ' AND `id_shop` = '.(int)$shopId;
}
Db::getInstance()->Execute($reqZone);
# -------------------------------------------------
// Add the new configuration zones
foreach ($_POST as $key => $val)
{
if (strncmp($key, 'HIPAY_AZ_', strlen('HIPAY_AZ_')) == 0)
Configuration::updateValue($key, 'ok');
}
$request = 'SELECT id_country FROM '._DB_PREFIX_.'country WHERE ';
$results = Db::getInstance()->ExecuteS($request.$this->getRequestZones('id_zone'));
#
# Patch Prise en compte du shop id si PS >= 1.5.0.0
# Le 16/11/2015 par Johan PROTIN (jprotin at hipay dot com)
#
foreach ($results as $rowValues){
Db::getInstance()->Execute('
INSERT INTO '._DB_PREFIX_.'module_country VALUE
('.(int)$this->id.', '.($shopId !== false ? $shopId.',' : '').' '.(int)$rowValues['id_country'].')');
}
# -------------------------------------------------
}
elseif (Tools::isSubmit('submitHipay'))
{
$accounts = array();
foreach ($currencies as $currency)
{
if (Configuration::get('HIPAY_SITEID_'.$currency['iso_code']) != Tools::getValue('HIPAY_SITEID_'.$currency['iso_code']))
Configuration::updateValue('HIPAY_CATEGORY_'.$currency['iso_code'], false);
Configuration::updateValue('HIPAY_PASSWORD_'.$currency['iso_code'], trim(Tools::getValue('HIPAY_PASSWORD_'.$currency['iso_code'])));
Configuration::updateValue('HIPAY_SITEID_'.$currency['iso_code'], trim(Tools::getValue('HIPAY_SITEID_'.$currency['iso_code'])));
Configuration::updateValue('HIPAY_CATEGORY_'.$currency['iso_code'], Tools::getValue('HIPAY_CATEGORY_'.$currency['iso_code']));
Configuration::updateValue('HIPAY_ACCOUNT_'.$currency['iso_code'], Tools::getValue('HIPAY_ACCOUNT_'.$currency['iso_code']));
if ($this->env AND Tools::getValue('HIPAY_ACCOUNT_'.$currency['iso_code']))
$accounts[Tools::getValue('HIPAY_ACCOUNT_'.$currency['iso_code'])] = 1;
}
$i = 1;
$dataSync = 'http://www.prestashop.com/modules/hipay.png?mode='.($this->env ? 'prod' : 'test');
foreach ($accounts as $account => $null)
$dataSync .= '&account'.($i++).'='.urlencode($account);
Configuration::updateValue('HIPAY_RATING', Tools::getValue('HIPAY_RATING'));
$warnings .= $this->displayConfirmation($this->l('Configuration updated').'<img src="'.$dataSync.'" style="float:right" />');
}
elseif (Tools::isSubmit('submitHipayPaymentButton'))
{
Configuration::updateValue('HIPAY_PAYMENT_BUTTON', Tools::getValue('payment_button'));
}
// Check configuration
$allow_url_fopen = ini_get('allow_url_fopen');
$openssl = extension_loaded('openssl');
$curl = extension_loaded('curl');
$ping = ($allow_url_fopen AND $openssl AND $fd = fsockopen('payment.hipay.com', 443) AND fclose($fd));
$online = (in_array(Tools::getRemoteAddr(), array('127.0.0.1', '::1')) ? false : true);
$categories = true;
$categoryRetrieval = true;
foreach ($currencies as $currency)
{
$hipaySiteId = Configuration::get('HIPAY_SITEID_'.$currency['iso_code']);
$hipayAccountId = Configuration::get('HIPAY_ACCOUNT_'.$currency['iso_code']);
if ($hipaySiteId && $hipayAccountId && !count($this->getHipayCategories($hipaySiteId, $hipayAccountId)))
$categoryRetrieval = false;
if ((Configuration::get('HIPAY_SITEID_'.$currency['iso_code']) && !Configuration::get('HIPAY_CATEGORY_'.$currency['iso_code'])))
$categories = false;
}
if (!$allow_url_fopen OR !$openssl OR !$curl OR !$ping OR !$categories OR !$categoryRetrieval OR !$online)
{
$warnings .= '
<div class="warning warn">
'.($allow_url_fopen ? '' : '<h3>'.$this->l('You are not allowed to open external URLs').'</h3>').'
'.($curl ? '' : '<h3>'.$this->l('cURL is not enabled').'</h3>').'
'.($openssl ? '' : '<h3>'.$this->l('OpenSSL is not enabled').'</h3>').'
'.(($allow_url_fopen AND $openssl AND !$ping) ? '<h3>'.$this->l('Cannot access payment gateway').' '.HIPAY_GATEWAY_URL.' ('.$this->l('check your firewall').')</h3>' : '').'
'.($online ? '' : '<h3>'.$this->l('Your shop is not online').'</h3>').'
'.($categories ? '' : '<h3>'.$this->l('Hipay categories are not defined for each Site ID').'</h3>').'
'.($categoryRetrieval ? '' : '<h3>'.$this->l('Impossible to retrieve Hipay categories. Please refer to your error log for more details.').'</h3>').'
</div>';
}
// Get subscription form value
$form_values = $this->getFormValues();
// Lang of the button
$iso_code = Context::getContext()->language->iso_code;
if (!in_array($iso_code, array('fr', 'en', 'es', 'it')))
$iso_code = 'en';
$form_errors = '';
$account_created = false;
if (Tools::isSubmit('create_account_action'))
$account_created = $this->processAccountCreation($form_errors);
$link = Tools::safeOutput($_SERVER['REQUEST_URI']);
$form = '
<style>
.hipay_label {float:none;font-weight:normal;padding:0;text-align:left;width:100%;line-height:30px}
.hipay_help {vertical-align:middle}
#hipay_table {border:1px solid #383838}
#hipay_table td {border:1px solid #383838; width:250px; padding-left:8px; text-align:center}
#hipay_table td.hipay_end {border-top:none}
#hipay_table td.hipay_block {border-bottom:none}
#hipay_steps_infos {border:none; margin-bottom:20px}
/*#hipay_steps_infos td {border:none; width:70px; height:60px;padding-left:8px; text-align:left}*/
#hipay_steps_infos td.tab2 {border:none; width:700px;; height:60px;padding-left:8px; text-align:left}
#hipay_steps_infos td.hipay_end {border-top:none}
#hipay_steps_infos td.hipay_block {border-bottom:none}
#hipay_steps_infos td.hipay_block {border-bottom:none}
#hipay_steps_infos .account-creation input[type=text], #hipay_steps_infos .account-creation select {width: 300px; margin-bottom: 5px}
.hipay_subtitle {color: #777; font-weight: bold}
</style>
<fieldset>
<legend><img src="../modules/'.$this->name.'/logo.gif" /> HiPay</legend>
'.$warnings.'
<p style="text-align:center;margin-bottom:30px;"><img src="../modules/'.$this->name.'/hipay.gif" /></p>
<span class="hipay_subtitle">'.$this->l('The fast, simple multimedia payment solution for everyone in France and Europe!').'</span><br />
'.$this->l('Thanks to its adaptability and performance, Hipay has already won over 12,000 merchants and a million users. Its array of 15 of the most effective payment solutions in Europe offers your customers instant recognition and a reassuring guarantee for their consumer habits.').'
<br />
<br />'.$this->l('Once your account is activated you will receive more details by email.').'
<br />'.$this->l('All merchant using Prestashop can benefit from special price by contacting the following email:').' <strong><a href="mailto:[email protected]">[email protected]</a></strong><br />
<br /><strong>'.$this->l('Do not hesitate to contact us. The fees can decrease by 50%.').'</strong><br />
<br />'.$this->l('Hipay boosts your sales Europe-wide thanks to:').'
<ul>
<li>'.$this->l('Payment solutions specific to each European country;').'</li>
<li>'.$this->l('No subscription or installation charges;').'</li>
<li>'.$this->l('Contacts with extensive experience of technical and financial issues;').'</li>
<li>'.$this->l('Dedicated customer service;').'</li>
<li>'.$this->l('Anti-fraud system and permanent monitoring for high-risk behaviour.').'</li>
</ul>
'.$this->l('Hipay is part of the Hi-Media Group (Allopass).').'<br /><br />
⇒ '.$this->l('You can get a PDF documentation to configure HiPay in Prestashop').' : <a href="https://www.hipay.com/dl/HiPay_Wallet_Prestashop_Configuration_Guide_EN.pdf" target="_blank">English</a> - <a href="https://www.hipay.com/dl/HiPay_Wallet_Configuration_Module_Prestashop_FR.pdf" target="_blank">Français</a>
</fieldset>
<div class="clear"> </div>
<fieldset>
<legend><img src="../modules/'.$this->name.'/logo.gif" /> '.$this->l('Configuration').'</legend>
'.$this->l('The configuration of Hipay is really easy and runs into 3 steps').'<br /><br />
<table id="hipay_steps_infos" cellspacing="0" cellpadding="0">
'.($account_created ? '<tr><td></td><td><div class="conf">'.$this->l('Account created!').'</div></td></tr>' : '').'
<tr>
<td valign="top" style="padding-top:6px;"><img src="../modules/'.$this->name.'/1.png" alt="step 1" /></td>
<td class="tab2">'.(Configuration::get('HIPAY_SITEID')
? '<a href="https://www.hipay.com/auth" style="color:#D9263F;font-weight:700">'.$this->l('Log in to your merchant account').'</a><br />'
: '<a id="account_creation" href="https://www.hipay.com/registration/register" style="color:#D9263F;font-weight:700"><img src="../modules/'.$this->name.'/button_'.$iso_code.'.jpg" alt="'.$this->l('Create a Hipay account').'" title="'.$this->l('Create a Hipay account').'" border="0" /></a>
<br /><br />'.$this->l('If you already have an account you can go directly to step 2.')).'<br /><br />
</td>
</tr>
<tr id="account_creation_form" style="'.(!Tools::isSubmit('create_account_action') || $account_created ? 'display: none;': '').'">
<td></td>
<td class="tab2">';
if (!empty($form_errors))
{
$form .= '<div class="warning warn">';
$form .= $form_errors;
$form .= '</div>';
}
$form .= '
<form class="account-creation" action="'.$currentIndex.'&configure='.$this->name.'&token='.Tools::safeOutput(Tools::getValue('token')).'" method="post">
<div class="clear"><label for="email">'.$this->l('E-mail').'</label><input type="text" value="'.$form_values['email'].'" name="email" id="email"/></div>
<div class="clear"><label for="firstname">'.$this->l('Firstname').'</label><input type="text" value="'.$form_values['firstname'].'" name="firstname" id="firstname"/></div>
<div class="clear"><label for="lastname">'.$this->l('Lastname').'</label><input type="text" value="'.$form_values['lastname'].'" name="lastname" id="lastname"/></div>
<div class="clear">
<label for="currency">'.$this->l('Currency').'</label>
<select name="currency" id="currency">
<option value="EUR">'.$this->l('Euro').'</option>
<option value="CAD">'.$this->l('Canadian dollar').'</option>
<option value="USD">'.$this->l('United States Dollar').'</option>
<option value="CHF">'.$this->l('Swiss franc').'</option>
<option value="AUD">'.$this->l('Australian dollar').'</option>
<option value="GBP">'.$this->l('British pound').'</option>
<option value="SEK">'.$this->l('Swedish krona').'</option>
</select>
</div>
<div class="clear">
<label for="business-line">'.$this->l('Business line').'</label>
<select name="business-line" id="business-line">';
foreach ($this->getBusinessLine() as $business)
if ($business->id == $form_values['business_line'])
$form .= '<option value="'.$business->id.'" selected="selected">'.$business->label.'</option>';
else
$form .= '<option value="'.$business->id.'">'.$business->label.'</option>';
$form .= '
</select>
</div>
<div class="clear">
<label for="website-topic">'.$this->l('Website topic').'</label>
<select id="website-topic" name="website-topic"></select>
</div>
<div class="clear"><label for="contact-email">'.$this->l('Website contact e-mail').'</label><input type="text" value="'.$form_values['contact_email'].'" name="contact-email" id="contact-email"/></div>
<div class="clear"><label for="website-name">'.$this->l('Website name').'</label><input type="text" value="'.$form_values['website_name'].'" name="website-name" id="website-name"/></div>
<div class="clear"><label for="website-url">'.$this->l('Website URL').'</label><input type="text" value="'.$form_values['website_url'].'" name="website-url" id="website-url"/></div>
<div class="clear"><label for="website-password">'.$this->l('Website merchant password').'</label><input type="text" value="'.$form_values['password'].'"name="website-password" id="website-password"/></div>
<div class="clear"><input type="submit" name="create_account_action"/></div>
</form>
</td>
</tr>
<tr>
<td><img src="../modules/'.$this->name.'/2.png" alt="step 2" /></td>
<td class="tab2">'.$this->l('Activate the Hipay solution in your Prestashop, it\'s free!').'</td>
</tr>
<tr>
<td></td>
<td class="tab2">
<p>'.$this->l('What you should do:').'</p>
<ul>
<li>'.$this->l('Set your account information (id account, password and id website).').'</li>
<li>'.$this->l('Select the category and age group.').'</li>
<li>'.$this->l('Set up an email address for notifications of payment.').'</li>
</ul>
<p>'.$this->l('For more information , go on the tab " how to set Hipay ".').'</p>
</td>
</tr>
<tr><td></td><td>
<form action="'.$link.'" method="post" style="padding-left:6px;">
<table id="hipay_table" cellspacing="0" cellpadding="0">
<tr>
<td style=""> </td>
<td style="height:40px;">'.$this->l('HiPay account').'</td>
</tr>';
foreach ($currencies as $currency)
{
$form .= '<tr>
<td class="hipay_block"><b>'.$this->l('Configuration in').' '.$currency['name'].' '.$currency['sign'].'</b></td>
<td class="hipay_prod hipay_block" style="padding-left:10px">
<label class="hipay_label" for="HIPAY_ACCOUNT_'.$currency['iso_code'].'">'.$this->l('Account number').' <a href="../modules/'.$this->name.'/screenshots/accountnumber.png" target="_blank"><img src="../modules/'.$this->name.'/help.png" class="hipay_help" /></a></label><br />
<input type="text" id="HIPAY_ACCOUNT_'.$currency['iso_code'].'" name="HIPAY_ACCOUNT_'.$currency['iso_code'].'" value="'.Tools::safeOutput(Tools::getValue('HIPAY_ACCOUNT_'.$currency['iso_code'], Configuration::get('HIPAY_ACCOUNT_'.$currency['iso_code']))).'" />
<br /><p style="text-align: left !important;"><i>'.$this->l('The Hipay account ID where the website is registered. This is your main account.').'<br /> <span style="color:red">'.$this->l('Do not use your member Id here!.').'</span></i></p>
<label class="hipay_label" for="HIPAY_PASSWORD_'.$currency['iso_code'].'">'.$this->l('Merchant password').' <a href="../modules/'.$this->name.'/screenshots/merchantpassword.png" target="_blank"><img src="../modules/'.$this->name.'/help.png" class="hipay_help" /></a></label><br />
<input type="text" id="HIPAY_PASSWORD_'.$currency['iso_code'].'" name="HIPAY_PASSWORD_'.$currency['iso_code'].'" value="'.Tools::safeOutput(Tools::getValue('HIPAY_PASSWORD_'.$currency['iso_code'], Configuration::get('HIPAY_PASSWORD_'.$currency['iso_code']))).'" />
<br /><p style="text-align: left !important;"><i>'.$this->l('The password of the account on which the merchant website is registered.( this is not the ID password ).').'<br />
<span style="color:red">'.$this->l('To create a new merchant password: Log in to your Hipay account, go to Payment Buttons where you can find the list of registered sites.').' '.$this->l('Click information website of the website concerned.').' '.$this->l('Enter your merchant password and click confirm').' '.$this->l('Remember to also enter your new password here.').'</span></i></p>
<label class="hipay_label" for="HIPAY_SITEID_'.$currency['iso_code'].'">'.$this->l('Site ID').' <a href="../modules/'.$this->name.'/screenshots/siteid.png" target="_blank"><img src="../modules/'.$this->name.'/help.png" class="hipay_help" /></a></label><br />
<input type="text" id="HIPAY_SITEID_'.$currency['iso_code'].'" name="HIPAY_SITEID_'.$currency['iso_code'].'" value="'.Tools::safeOutput(Tools::getValue('HIPAY_SITEID_'.$currency['iso_code'], Configuration::get('HIPAY_SITEID_'.$currency['iso_code']))).'" />
<br /><p style="text-align: left !important;"><i>'.$this->l('Website ID selected.').'<br />
<span style="color:red">'.$this->l('For a website ID, register your store on the corresponding HiPay account.').' '.$this->l('You can find this option on your HiPay statement under Payments buttons.').'</span></i></p>';
if ($ping && ($hipaySiteId = (int)Configuration::get('HIPAY_SITEID_'.$currency['iso_code'])) && ($hipayAccountId = (int)Configuration::get('HIPAY_ACCOUNT_'.$currency['iso_code'])))
{
$form .= ' <label for="HIPAY_CATEGORY_'.$currency['iso_code'].'" class="hipay_label">'.$this->l('Category').'</label><br />
<select id="HIPAY_CATEGORY_'.$currency['iso_code'].'" name="HIPAY_CATEGORY_'.$currency['iso_code'].'">';
foreach ($this->getHipayCategories($hipaySiteId, $hipayAccountId) as $id => $name)
$form.= ' <option value="'.(int)$id.'" '.(Tools::getValue('HIPAY_CATEGORY_'.$currency['iso_code'], Configuration::get('HIPAY_CATEGORY_'.$currency['iso_code'])) == $id ? 'selected="selected"' : '').'>'.htmlentities($name, ENT_COMPAT, 'UTF-8').'</option>';
$form .= ' </select><br /><p style="text-align: left !important;"><i>'.$this->l('Choose the order type.').'<br /><span style="color:red">'.$this->l('A list of categories (based on the choice of business type and category of your site on Hipay ).').'<br />'.$this->l('1. Enter your website ID').'<br />'.$this->l('2. Click Save Settings').'<br />'.$this->l('The list " Order Type " will be updated.').'<br />'.$this->l('4. Choose the appropriate category and click Save Settings again.').'</span></i></p>';
}
$form .= ' </td>
</tr>
<tr><td class="hipay_end"> </td><td class="hipay_prod hipay_end"> </td>';
$form .= '</tr>';
}
$form .= '</table>
<hr class="clear" />
<label for="HIPAY_RATING">'.$this->l('Authorized age group').' :</label>
<div class="margin-form">
<select id="HIPAY_RATING" name="HIPAY_RATING">
<option value="ALL">'.$this->l('For all ages').'</option>