-
Notifications
You must be signed in to change notification settings - Fork 3
/
CustomerReceipt.php
1106 lines (935 loc) · 47.1 KB
/
CustomerReceipt.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
/* $Id$ */
include('includes/DefineReceiptClass.php');
include('includes/session.inc');
$title = _('Receipt Entry');
include('includes/header.inc');
include('includes/SQL_CommonFunctions.inc');
$msg='';
if (isset($_GET['NewReceipt'])){
unset($_SESSION['ReceiptBatch']->Items);
unset($_SESSION['ReceiptBatch']);
unset($_SESSION['CustomerRecord']);
}
if (isset($_POST['Cancel'])) {
$Cancel=1;
}
if (isset($_GET['Type']) and $_GET['Type']=='GL') {
$_POST['GLEntry']=1;
}
if ((isset($_POST['BatchInput']) and $_POST['BankAccount']=='') or (isset($_POST['Process']) and $_POST['BankAccount']=='')) {
echo '<br />';
prnMsg(_('A bank account must be selected for this receipt'), 'warn');
$BankAccountEmpty=TRUE;
} else if(isset($_GET['NewReceipt'])) {
$BankAccountEmpty=TRUE;
} else {
$BankAccountEmpty=FALSE;
}
if (!isset($_GET['Delete']) AND isset($_SESSION['ReceiptBatch'])){ //always process a header update unless deleting an item
$_SESSION['ReceiptBatch']->Account = $_POST['BankAccount'];
/*Get the bank account currency and set that too */
$SQL = "SELECT bankaccountname, currcode FROM bankaccounts WHERE accountcode='" . $_POST['BankAccount']."'";
$ErrMsg =_('The bank account name cannot be retrieved because');
$result= DB_query($SQL,$db,$ErrMsg);
if (DB_num_rows($result)==1){
$myrow = DB_fetch_row($result);
$_SESSION['ReceiptBatch']->BankAccountName = $myrow[0];
$_SESSION['ReceiptBatch']->AccountCurrency=$myrow[1];
unset($result);
} elseif (DB_num_rows($result)==0 and !$BankAccountEmpty){
prnMsg( _('The bank account number') . ' ' . $_POST['BankAccount'] . ' ' . _('is not set up as a bank account'),'error');
include ('includes/footer.inc');
exit;
}
if (!Is_Date($_POST['DateBanked'])){
$_POST['DateBanked'] = Date($_SESSION['DefaultDateFormat']);
}
$_SESSION['ReceiptBatch']->DateBanked = $_POST['DateBanked'];
if (isset($_POST['ExRate']) and $_POST['ExRate']!=''){
if (is_numeric(filter_number_input($_POST['ExRate']))){
$_SESSION['ReceiptBatch']->ExRate = filter_number_input($_POST['ExRate']);
} else {
prnMsg(_('The exchange rate entered should be numeric'),'warn');
}
}
if (isset($_POST['FunctionalExRate']) and $_POST['FunctionalExRate']!=''){
if (is_numeric($_POST['FunctionalExRate'])){
$_SESSION['ReceiptBatch']->FunctionalExRate=$_POST['FunctionalExRate']; //ex rate between receipt currency and account currency
} else {
prnMsg(_('The functional exchange rate entered should be numeric'),'warn');
}
}
$_SESSION['ReceiptBatch']->ReceiptType = $_POST['ReceiptType'];
if (!isset($_POST['Currency'])){
$_POST['Currency']=$_SESSION['CompanyRecord']['currencydefault'];
}
if ($_SESSION['ReceiptBatch']->Currency!=$_POST['Currency']){
$_SESSION['ReceiptBatch']->Currency=$_POST['Currency']; //receipt currency
/*Now customer receipts entered using the previous currency need to be ditched
and a warning message displayed if there were some customer receipted entered */
if (count($_SESSION['ReceiptBatch']->Items)>0){
unset($_SESSION['ReceiptBatch']->Items);
prnMsg(_('Changing the currency of the receipt means that existing entries need to be re-done - only customers trading in the selected currency can be selected'),'warn');
}
}
/*Get the exchange rate between the functional currency and the receipt currency*/
$result = DB_query("SELECT rate FROM currencies WHERE currabrev='" . $_SESSION['ReceiptBatch']->Currency . "'",$db);
$myrow = DB_fetch_row($result);
$tableExRate = $myrow[0]; //this is the rate of exchange between the functional currency and the receipt currency
if ($_POST['Currency']==$_SESSION['ReceiptBatch']->AccountCurrency){
$_SESSION['ReceiptBatch']->ExRate = 1; //ex rate between receipt currency and account currency
$SuggestedExRate=1;
}
if ($_SESSION['ReceiptBatch']->AccountCurrency==$_SESSION['CompanyRecord']['currencydefault']){
$_SESSION['ReceiptBatch']->FunctionalExRate = 1;
$SuggestedFunctionalExRate =1;
$SuggestedExRate = $tableExRate;
} else if (!$BankAccountEmpty) {
/*To illustrate the rates required
Take an example functional currency NZD receipt in USD from an AUD bank account
1 NZD = 0.80 USD
1 NZD = 0.90 AUD
The FunctionalExRate = 0.90 - the rate between the functional currency and the bank account currency
The receipt ex rate is the rate at which one can sell the received currency and purchase the bank account currency
or 0.8/0.9 = 0.88889
*/
/*Get suggested FunctionalExRate */
$result = DB_query("SELECT rate FROM currencies WHERE currabrev='" . $_SESSION['ReceiptBatch']->AccountCurrency . "'",$db);
$myrow = DB_fetch_row($result);
$SuggestedFunctionalExRate = $myrow[0];
/*Get the exchange rate between the functional currency and the receipt currency*/
$result = DB_query("SELECT rate FROM currencies WHERE currabrev='" . $_SESSION['ReceiptBatch']->Currency . "'",$db);
$myrow = DB_fetch_row($result);
$tableExRate = $myrow[0]; //this is the rate of exchange between the functional currency and the receipt currency
/*Calculate cross rate to suggest appropriate exchange rate between receipt currency and account currency */
$SuggestedExRate = $tableExRate/$SuggestedFunctionalExRate;
} //end else account currency != functional currency
$_SESSION['ReceiptBatch']->Narrative = $_POST['BatchNarrative'];
} elseif (isset($_GET['Delete'])) {
/* User hit delete the receipt entry from the batch */
$_SESSION['ReceiptBatch']->remove_receipt_item($_GET['Delete']);
} else { //it must be a new receipt batch
$_SESSION['ReceiptBatch'] = new Receipt_Batch;
}
if (isset($_POST['Process'])){ //user hit submit a new entry to the receipt batch
if (!isset($_POST['GLCode'])) {
$_POST['GLCode']='';
}
if (!isset($_POST['tag'])) {
$_POST['tag']='';
}
if (!isset($_POST['CustomerID'])) {
$_POST['CustomerID']='';
}
if (!isset($_POST['CustomerName'])) {
$_POST['CustomerName']='';
}
if ($_POST['GLCode'] == '' and $_GET['Type']=='GL') {
prnMsg( _('No General Ledger code has been chosen') . ' - ' . _('so this GL analysis item could not be added'),'warn');
} else {
$_SESSION['ReceiptBatch']->add_to_batch(filter_currency_input($_POST['Amount']),
$_POST['CustomerID'],
filter_currency_input($_POST['Discount']),
$_POST['Narrative'],
$_POST['GLCode'],
$_POST['PayeeBankDetail'],
$_POST['CustomerName'],
$_POST['tag']);
/*Make sure the same receipt is not double processed by a page refresh */
$Cancel = 1;
}
}
if (isset($Cancel)){
unset($_SESSION['CustomerRecord']);
unset($_POST['CustomerID']);
unset($_POST['CustomerName']);
unset($_POST['Amount']);
unset($_POST['Discount']);
unset($_POST['Narrative']);
unset($_POST['PayeeBankDetail']);
}
if (isset($_POST['CommitBatch'])){
/* once all receipts items entered, process all the data in the
session cookie into the DB creating a single banktrans for the whole amount
of all receipts in the batch and DebtorTrans records for each receipt item
all DebtorTrans will refer to a single banktrans. A GL entry is created for
each GL receipt entry and one for the debtors entry and one for the bank
account debit
NB allocations against debtor receipts are a separate exercice
first off run through the array of receipt items $_SESSION['ReceiptBatch']->Items and
if GL integrated then create GL Entries for the GL Receipt items
and add up the non-GL ones for posting to debtors later,
also add the total discount total receipts*/
$PeriodNo = GetPeriod($_SESSION['ReceiptBatch']->DateBanked,$db);
if ($_SESSION['CompanyRecord']==0){
prnMsg(_('The company has not yet been set up properly') . ' - ' . _('this information is needed to process the batch') . '. ' . _('Processing has been cancelled'),'error');
include('includes/footer.inc');
exit;
}
/*Make an array of the defined bank accounts */
$SQL = "SELECT accountcode FROM bankaccounts";
$result = DB_query($SQL,$db);
$BankAccounts = array();
$i=0;
while ($Act = DB_fetch_row($result)){
$BankAccounts[$i]= $Act[0];
$i++;
}
$_SESSION['ReceiptBatch']->BatchNo = GetNextTransNo(12,$db);
/*Start a transaction to do the whole lot inside */
$result = DB_Txn_Begin($db);
$BatchReceiptsTotal = 0; //in functional currency
$BatchDiscount = 0; //in functional currency
$BatchDebtorTotal = 0; //in functional currency
$k=0; //Table row counter for row styles
$CustomerReceiptCounter=1; //Count lines of customer receipts in this batch
echo '<br /><p class="page_title_text"><img src="'.$rootpath.'/css/'.$theme.'/images/money_add.png" title="' . _('Allocate') . '" alt="" />' .
' ' . _('Summary of Receipt Batch').'</p><br />';
echo '<table class="selection"><tr><th>'._('Batch Number').'</th>
<th>'._('Date Banked').'</th>
<th>'._('Customer Name').'</th>
<th>'._('GL Code').'</th>
<th>'._('Amount of Receipt').'</th></tr>';
foreach ($_SESSION['ReceiptBatch']->Items as $ReceiptItem) {
if ($k==1){
echo '<tr class="OddTableRows">';
$k=0;
} else {
echo '<tr class="EvenTableRows">';
$k=1;
}
$SQL = "SELECT accountname FROM chartmaster WHERE accountcode='" . $ReceiptItem->GLCode . "'";
$Result=DB_query($SQL,$db);
$myrow=DB_fetch_array($Result);
echo '<td>'.$_SESSION['ReceiptBatch']->BatchNo.'</td>
<td>'.$_SESSION['ReceiptBatch']->DateBanked.'</td>
<td>'.$ReceiptItem->CustomerName.'</td>
<td>'.$ReceiptItem->GLCode.' - '.$myrow['accountname'].'</td>
<td class="number">'.locale_money_format($ReceiptItem->Amount/$_SESSION['ReceiptBatch']->ExRate/$_SESSION['ReceiptBatch']->FunctionalExRate,$_SESSION['ReceiptBatch']->Currency) .'</td>';
if ($ReceiptItem->GLCode ==''){
echo '<td><a target="_blank" href="' . $rootpath . '/PDFReceipt.php?BatchNumber=' . $_SESSION['ReceiptBatch']->BatchNo. '&ReceiptNumber='.$CustomerReceiptCounter.'">'._('Print a Customer Receipt').'</a></td></tr>';
$CustomerReceiptCounter += 1;
}
if ($ReceiptItem->GLCode !=''){ //so its a GL receipt
if ($_SESSION['CompanyRecord']['gllink_debtors']==1){ /* then enter a GLTrans record */
$SQL = "INSERT INTO gltrans (type,
typeno,
trandate,
periodno,
account,
defaulttag,
narrative,
amount,
tag)
VALUES (
12,
'" . $_SESSION['ReceiptBatch']->BatchNo . "',
'" . FormatDateForSQL($_SESSION['ReceiptBatch']->DateBanked) . "',
'" . $PeriodNo . "',
'" . $ReceiptItem->GLCode . "',
'" . $_SESSION['DefaultTag'] . "',
'" . $ReceiptItem->Narrative . "',
'" . -($ReceiptItem->Amount/$_SESSION['ReceiptBatch']->ExRate/$_SESSION['ReceiptBatch']->FunctionalExRate) . "',
'" . $ReceiptItem->tag . "'" . "
)";
$ErrMsg = _('Cannot insert a GL entry for the receipt because');
$DbgMsg = _('The SQL that failed to insert the receipt GL entry was');
$result = DB_query($SQL,$db,$ErrMsg,$DbgMsg,true);
}
/*check to see if this is a GL posting to another bank account (or the same one)
if it is then a matching payment needs to be created for this account too */
if (in_array($ReceiptItem->GLCode, $BankAccounts)) {
/*Need to deal with the case where the payment from one bank account could be to a bank account in another currency */
/*Get the currency and rate of the bank account transferring to*/
$SQL = "SELECT currcode, rate
FROM bankaccounts INNER JOIN currencies
ON bankaccounts.currcode = currencies.currabrev
WHERE accountcode='" . $ReceiptItem->GLCode."'";
$TrfFromAccountResult = DB_query($SQL,$db);
$TrfFromBankRow = DB_fetch_array($TrfFromAccountResult) ;
$TrfFromBankCurrCode = $TrfFromBankRow['currcode'];
$TrfFromBankExRate = $TrfFromBankRow['rate'];
if ($_SESSION['ReceiptBatch']->AccountCurrency == $TrfFromBankCurrCode){
/*Make sure to use the same rate if the transfer is between two bank accounts in the same currency */
$TrfFromBankExRate = $_SESSION['ReceiptBatch']->FunctionalExRate;
}
/*Consider an example - had to be currencies I am familar with sorry so I could figure it out!!
functional currency NZD
bank account in AUD - 1 NZD = 0.90 AUD (FunctionalExRate)
receiving USD - 1 AUD = 0.85 USD (ExRate)
from a bank account in EUR - 1 NZD = 0.52 EUR
oh yeah - now we are getting tricky!
Lets say we received USD 100 to the AUD bank account from the EUR bank account
To get the ExRate for the bank account we are transferring money from
we need to use the cross rate between the NZD-AUD/NZD-EUR
and apply this to the
the receipt record will read
exrate = 0.85 (1 AUD = USD 0.85)
amount = 100 (USD)
functionalexrate = 0.90 (1 NZD = AUD 0.90)
the payment record will read
amount 100 (USD)
exrate (1 EUR = (0.85 x 0.90)/0.52 USD ~ 1.47
(ExRate x FunctionalExRate) / USD Functional ExRate
Check this is 1 EUR = 1.47 USD
functionalexrate = (1NZD = EUR 0.52)
*/
$PaymentTransNo = GetNextTransNo( 1, $db);
$SQL="INSERT INTO banktrans (transno,
type,
bankact,
ref,
exrate,
functionalexrate,
transdate,
banktranstype,
amount,
currcode)
VALUES (
'" . $PaymentTransNo . "',
1,
'" . $ReceiptItem->GLCode . "',
'" . _('Act Transfer') ." - " . $ReceiptItem->Narrative . "',
'" . (($_SESSION['ReceiptBatch']->ExRate * $_SESSION['ReceiptBatch']->FunctionalExRate)/$TrfFromBankExRate). "',
'" . $TrfFromBankExRate . "',
'" . FormatDateForSQL($_SESSION['ReceiptBatch']->DateBanked) . "',
'" . $_SESSION['ReceiptBatch']->ReceiptType . "',
'" . -$ReceiptItem->Amount . "',
'" . $_SESSION['ReceiptBatch']->Currency . "'
)";
$DbgMsg = _('The SQL that failed to insert the bank transaction was');
$ErrMsg = _('Cannot insert a bank transaction using the SQL');
$result = DB_query($SQL,$db,$ErrMsg,$DbgMsg,true);
} //end if an item is a transfer between bank accounts
} else { //its not a GL item - its a customer receipt then
/*Accumulate the total debtors credit including discount */
$BatchDebtorTotal += (($ReceiptItem->Discount + $ReceiptItem->Amount)/$_SESSION['ReceiptBatch']->ExRate/$_SESSION['ReceiptBatch']->FunctionalExRate);
/*Create a DebtorTrans entry for each customer deposit */
$SQL = "INSERT INTO debtortrans (transno,
type,
debtorno,
branchcode,
trandate,
inputdate,
prd,
reference,
tpe,
rate,
ovamount,
ovdiscount,
invtext)
VALUES (
'" . $_SESSION['ReceiptBatch']->BatchNo . "',
12,
'" . $ReceiptItem->Customer . "',
'',
'" . FormatDateForSQL($_SESSION['ReceiptBatch']->DateBanked) . "',
'" . date('Y-m-d H-i-s') . "',
'" . $PeriodNo . "',
'" . $_SESSION['ReceiptBatch']->ReceiptType . ' ' . $ReceiptItem->PayeeBankDetail . "',
'',
'" . filter_currency_input($_SESSION['ReceiptBatch']->ExRate/$_SESSION['ReceiptBatch']->FunctionalExRate) . "',
-" . ($ReceiptItem->Amount) . ",
-" . filter_currency_input($ReceiptItem->Discount) . ",
'" . $ReceiptItem->Narrative. "'
)";
$DbgMsg = _('The SQL that failed to insert the customer receipt transaction was');
$ErrMsg = _('Cannot insert a receipt transaction against the customer because') ;
$result = DB_query($SQL,$db,$ErrMsg,$DbgMsg,true);
$SQL = "UPDATE debtorsmaster
SET lastpaiddate = '" . FormatDateForSQL($_SESSION['ReceiptBatch']->DateBanked) . "',
lastpaid='" . $ReceiptItem->Amount ."'
WHERE debtorsmaster.debtorno='" . $ReceiptItem->Customer . "'";
$DbgMsg = _('The SQL that failed to update the date of the last payment received was');
$ErrMsg = _('Cannot update the customer record for the date of the last payment received because');
$result = DB_query($SQL,$db,$ErrMsg,$DbgMsg,true);
} //end of if its a customer receipt
$BatchDiscount += ($ReceiptItem->Discount/$_SESSION['ReceiptBatch']->ExRate/$_SESSION['ReceiptBatch']->FunctionalExRate);
$BatchReceiptsTotal += ($ReceiptItem->Amount/$_SESSION['ReceiptBatch']->ExRate/$_SESSION['ReceiptBatch']->FunctionalExRate);
} /*end foreach $ReceiptItem */
echo '</table>';
if ($_SESSION['CompanyRecord']['gllink_debtors']==1){ /* then enter GLTrans records for discount, bank and debtors */
if ($BatchReceiptsTotal!=0){
/* Bank account entry first */
$SQL="INSERT INTO gltrans (type,
typeno,
trandate,
periodno,
account,
defaulttag,
narrative,
amount)
VALUES (
12,
'" . $_SESSION['ReceiptBatch']->BatchNo . "',
'" . FormatDateForSQL($_SESSION['ReceiptBatch']->DateBanked) . "',
'" . $PeriodNo . "',
'" . $_SESSION['ReceiptBatch']->Account . "',
'" . $_SESSION['DefaultTag'] . "',
'" . $_SESSION['ReceiptBatch']->Narrative . "',
'" . filter_currency_input($BatchReceiptsTotal) . "'
)";
$DbgMsg = _('The SQL that failed to insert the GL transaction fro the bank account debit was');
$ErrMsg = _('Cannot insert a GL transaction for the bank account debit');
$result = DB_query($SQL,$db,$ErrMsg,$DbgMsg,true);
/*now enter the BankTrans entry */
$SQL="INSERT INTO banktrans (type,
transno,
bankact,
ref,
exrate,
functionalexrate,
transdate,
banktranstype,
amount,
currcode)
VALUES (
12,
'" . $_SESSION['ReceiptBatch']->BatchNo . "',
'" . $_SESSION['ReceiptBatch']->Account . "',
'" . $_SESSION['ReceiptBatch']->Narrative . "',
'" . $_SESSION['ReceiptBatch']->ExRate . "',
'" . $_SESSION['ReceiptBatch']->FunctionalExRate . "',
'" . FormatDateForSQL($_SESSION['ReceiptBatch']->DateBanked) . "',
'" . $_SESSION['ReceiptBatch']->ReceiptType . "',
'" . filter_currency_input($BatchReceiptsTotal * $_SESSION['ReceiptBatch']->FunctionalExRate * $_SESSION['ReceiptBatch']->ExRate) . "',
'" . $_SESSION['ReceiptBatch']->Currency . "'
)";
$DbgMsg = _('The SQL that failed to insert the bank account transaction was');
$ErrMsg = _('Cannot insert a bank transaction');
$result = DB_query($SQL,$db,$ErrMsg,$DbgMsg,true);
}
if ($BatchDebtorTotal!=0){
/* Now Credit Debtors account with receipts + discounts */
$SQL="INSERT INTO gltrans ( type,
typeno,
trandate,
periodno,
account,
defaulttag,
narrative,
amount)
VALUES (
12,
'" . $_SESSION['ReceiptBatch']->BatchNo . "',
'" . FormatDateForSQL($_SESSION['ReceiptBatch']->DateBanked) . "',
'" . $PeriodNo . "',
'". $_SESSION['CompanyRecord']['debtorsact'] . "',
'" . $_SESSION['DefaultTag'] . "',
'" . $_SESSION['ReceiptBatch']->Narrative . "',
-" . filter_currency_input($BatchDebtorTotal) . "
)";
$DbgMsg = _('The SQL that failed to insert the GL transaction for the debtors account credit was');
$ErrMsg = _('Cannot insert a GL transaction for the debtors account credit');
$result = DB_query($SQL,$db,$ErrMsg,$DbgMsg,true);
} //end if there are some customer deposits in this batch
if ($BatchDiscount!=0){
/* Now Debit Discount account with discounts allowed*/
$SQL="INSERT INTO gltrans ( type,
typeno,
trandate,
periodno,
account,
defaulttag,
narrative,
amount)
VALUES (
12,
'" . $_SESSION['ReceiptBatch']->BatchNo . "',
'" . FormatDateForSQL($_SESSION['ReceiptBatch']->DateBanked) . "',
'" . $PeriodNo . "',
'" . $_SESSION['CompanyRecord']['pytdiscountact'] . "',
'" . $_SESSION['DefaultTag'] . "',
'" . $_SESSION['ReceiptBatch']->Narrative . "',
'" . $BatchDiscount . "'
)";
$DbgMsg = _('The SQL that failed to insert the GL transaction for the payment discount debit was');
$ErrMsg = _('Cannot insert a GL transaction for the payment discount debit');
$result = DB_query($SQL,$db,$ErrMsg,$DbgMsg,true);
} //end if there is some discount
} //end if there is GL work to be done - ie config is to link to GL
$ErrMsg = _('Cannot commit the changes');
$DbgMsg = _('The SQL that failed was');
$result = DB_Txn_Commit($db);
echo '<br />';
prnMsg( _('Receipt batch') . ' ' . $_SESSION['ReceiptBatch']->BatchNo . ' ' . _('has been successfully entered into the database'),'success');
echo '<p class="page_title_text"><img src="'.$rootpath.'/css/'.$theme.'/images/printer.png" title="' . _('Print') . '" alt="" />' . ' ' .
'<a href="' . $rootpath . '/PDFBankingSummary.php?BatchNo=' . $_SESSION['ReceiptBatch']->BatchNo . '">' . _('Print PDF Batch Summary') . '</a></p>';
echo '<p class="page_title_text"><img src="'.$rootpath.'/css/'.$theme.'/images/allocation.png" title="' . _('Allocate') . '" alt="" />' . ' ' .
'<a href="' . $rootpath . '/CustomerAllocations.php">' . _('Allocate Receipts') . '</a></p>';
echo '<p class="page_title_text">• ' . $rootpath . '/CustomerReceipt.php?NewReceipt=Yes&Type=Customer ' . _('Enter Receipts') . ' </p>';
unset($_SESSION['ReceiptBatch']);
include('includes/footer.inc');
exit;
} /* End of commit batch */
if (isset($_POST['Search'])){
/*Will only be true if clicked to search for a customer code */
if ($_POST['Keywords'] AND $_POST['CustCode']) {
$msg=_('Customer name keywords have been used in preference to the customer code extract entered');
}
if ($_POST['Keywords']=="" AND $_POST['CustCode']=="" AND $_POST['CustInvNo']=="") {
$msg=_('At least one Customer Name keyword OR an extract of a Customer Code must be entered for the search');
} else {
if (strlen($_POST['Keywords'])>0) {
//insert wildcard characters in spaces
$SearchString = '%' . str_replace(' ', '%', $_POST['Keywords']) . '%';
$SQL = "SELECT debtorsmaster.debtorno,
debtorsmaster.name
FROM debtorsmaster
WHERE debtorsmaster.name " . LIKE . " '". $SearchString . "'
AND debtorsmaster.currcode= '" . $_SESSION['ReceiptBatch']->Currency . "'";
} elseif (strlen($_POST['CustCode'])>0){
$SQL = "SELECT debtorsmaster.debtorno,
debtorsmaster.name
FROM debtorsmaster
WHERE debtorsmaster.debtorno " . LIKE . " '%" . $_POST['CustCode'] . "%'
AND debtorsmaster.currcode= '" . $_SESSION['ReceiptBatch']->Currency . "'";
} elseif (strlen($_POST['CustInvNo'])>0){
$SQL = "SELECT debtortrans.debtorno,
debtorsmaster.name
FROM debtorsmaster LEFT JOIN debtortrans
ON debtorsmaster.debtorno=debtortrans.debtorno
WHERE debtortrans.transno " . LIKE . " '%" . $_POST['CustInvNo'] . "%'
AND debtorsmaster.currcode= '" . $_SESSION['ReceiptBatch']->Currency . "'";
}
$CustomerSearchResult = DB_query($SQL,$db,'','',false,false);
if (DB_error_no($db) !=0) {
prnMsg(_('The searched customer records requested cannot be retrieved because') . ' - ' . DB_error_msg($db),'error');
if ($debug==1){
prnMsg(_('SQL used to retrieve the customer details was') . '<br />' . $sql,'error');
}
} elseif (DB_num_rows($CustomerSearchResult)==1){
$myrow=DB_fetch_array($CustomerSearchResult);
$Select = $myrow['debtorno'];
unset($CustomerSearchResult);
} elseif (DB_num_rows($CustomerSearchResult)==0){
prnMsg( _('No customer records contain the selected text') . ' - ' . _('please alter your search criteria and try again'),'info');
}
} //one of keywords or custcode was more than a zero length string
} //end of if search
if (isset($_POST['Select'])){
$Select = $_POST['Select'];
}
if (isset($Select)) {
/*will only be true if a customer has just been selected by clicking on the customer or only one
customer record returned by the search - this record is then auto selected */
$_POST['CustomerID']=$Select;
/*need to get currency sales type - payment discount percent and GL code
as well as payment terms and credit status and hold the lot as session variables
the receipt held entirely as session variables until the button clicked to process*/
if (isset($_SESSION['CustomerRecord'])){
unset($_SESSION['CustomerRecord']);
}
$SQL = "SELECT debtorsmaster.name,
debtorsmaster.pymtdiscount,
debtorsmaster.currcode,
currencies.currency,
currencies.rate,
paymentterms.terms,
debtorsmaster.creditlimit,
holdreasons.dissallowinvoices,
holdreasons.reasondescription,
SUM(debtortrans.ovamount + debtortrans.ovgst + debtortrans.ovfreight + debtortrans.ovdiscount - debtortrans.alloc) AS balance,
SUM(CASE WHEN paymentterms.daysbeforedue > 0 THEN
CASE WHEN (TO_DAYS(Now()) - TO_DAYS(debtortrans.trandate)) >= paymentterms.daysbeforedue THEN debtortrans.ovamount + debtortrans.ovgst + debtortrans.ovfreight + debtortrans.ovdiscount - debtortrans.alloc ELSE 0 END
ELSE
CASE WHEN TO_DAYS(Now()) - TO_DAYS(DATE_ADD(DATE_ADD(debtortrans.trandate, " . INTERVAL('1','MONTH') . "), " . INTERVAL('(paymentterms.dayinfollowingmonth - DAYOFMONTH(debtortrans.trandate))','DAY') . ")) >= 0 THEN debtortrans.ovamount + debtortrans.ovgst + debtortrans.ovfreight + debtortrans.ovdiscount - debtortrans.alloc ELSE 0 END
END) AS due,
SUM(CASE WHEN paymentterms.daysbeforedue > 0 THEN
CASE WHEN TO_DAYS(Now()) - TO_DAYS(debtortrans.trandate) > paymentterms.daysbeforedue AND TO_DAYS(Now()) - TO_DAYS(debtortrans.trandate) >= (paymentterms.daysbeforedue + " . $_SESSION['PastDueDays1'] . ") THEN debtortrans.ovamount + debtortrans.ovgst + debtortrans.ovfreight - debtortrans.ovdiscount - debtortrans.alloc ELSE 0 END
ELSE
CASE WHEN (TO_DAYS(Now()) - TO_DAYS(DATE_ADD(DATE_ADD(debtortrans.trandate, " . INTERVAL('1', 'MONTH') ."), " . INTERVAL('(paymentterms.dayinfollowingmonth - DAYOFMONTH(debtortrans.trandate))', 'DAY') . ")) >= " . $_SESSION['PastDueDays1'] . ") THEN debtortrans.ovamount + debtortrans.ovgst + debtortrans.ovfreight + debtortrans.ovdiscount - debtortrans.alloc ELSE 0 END
END) AS overdue1,
SUM(CASE WHEN paymentterms.daysbeforedue > 0 THEN
CASE WHEN TO_DAYS(Now()) - TO_DAYS(debtortrans.trandate) > paymentterms.daysbeforedue AND TO_DAYS(Now()) - TO_DAYS(debtortrans.trandate) >= (paymentterms.daysbeforedue + " . $_SESSION['PastDueDays2'] . ") THEN debtortrans.ovamount + debtortrans.ovgst + debtortrans.ovfreight + debtortrans.ovdiscount - debtortrans.alloc ELSE 0 END
ELSE
CASE WHEN (TO_DAYS(Now()) - TO_DAYS(DATE_ADD(DATE_ADD(debtortrans.trandate, " . INTERVAL('1','MONTH') . "), " . INTERVAL('(paymentterms.dayinfollowingmonth - DAYOFMONTH(debtortrans.trandate))','DAY') . ")) >= " . $_SESSION['PastDueDays2'] . ") THEN debtortrans.ovamount + debtortrans.ovgst + debtortrans.ovfreight + debtortrans.ovdiscount - debtortrans.alloc ELSE 0 END
END) AS overdue2
FROM debtorsmaster,
paymentterms,
holdreasons,
currencies,
debtortrans
WHERE debtorsmaster.paymentterms = paymentterms.termsindicator
AND debtorsmaster.currcode = currencies.currabrev
AND debtorsmaster.holdreason = holdreasons.reasoncode
AND debtorsmaster.debtorno = '" . $_POST['CustomerID'] . "'
AND debtorsmaster.debtorno = debtortrans.debtorno
GROUP BY debtorsmaster.name,
debtorsmaster.pymtdiscount,
debtorsmaster.currcode,
currencies.currency,
currencies.rate,
paymentterms.terms,
debtorsmaster.creditlimit,
paymentterms.daysbeforedue,
paymentterms.dayinfollowingmonth,
debtorsmaster.creditlimit,
holdreasons.dissallowinvoices,
holdreasons.reasondescription";
$ErrMsg = _('The customer details could not be retrieved because');
$DbgMsg = _('The SQL that failed was');
$CustomerResult = DB_query($SQL,$db,$ErrMsg, $DbgMsg);
if (DB_num_rows($CustomerResult)==0){
/*Because there is no balance - so just retrieve the header information about the customer - the choice is do one query to get the balance and transactions for those customers who have a balance and two queries for those who don't have a balance OR always do two queries - I opted for the former */
$NIL_BALANCE = True;
$SQL = "SELECT debtorsmaster.name,
debtorsmaster.pymtdiscount,
currencies.currency,
currencies.rate,
paymentterms.terms,
debtorsmaster.creditlimit,
debtorsmaster.currcode,
holdreasons.dissallowinvoices,
holdreasons.reasondescription
FROM debtorsmaster,
paymentterms,
holdreasons,
currencies
WHERE debtorsmaster.paymentterms = paymentterms.termsindicator
AND debtorsmaster.currcode = currencies.currabrev
AND debtorsmaster.holdreason = holdreasons.reasoncode
AND debtorsmaster.debtorno = '" . $_POST['CustomerID'] . "'";
$ErrMsg = _('The customer details could not be retrieved because');
$DbgMsg = _('The SQL that failed was');
$CustomerResult = DB_query($SQL,$db,$ErrMsg, $DbgMsg);
} else {
$NIL_BALANCE = False;
}
$_SESSION['CustomerRecord'] = DB_fetch_array($CustomerResult);
if ($NIL_BALANCE==True){
$_SESSION['CustomerRecord']['balance']=0;
$_SESSION['CustomerRecord']['due']=0;
$_SESSION['CustomerRecord']['overdue1']=0;
$_SESSION['CustomerRecord']['overdue2']=0;
}
} /*end of if customer has just been selected all info required read into $_SESSION['CustomerRecord']*/
/*set up the form whatever */
echo '<form action="' . htmlspecialchars($_SERVER['PHP_SELF'], ENT_QUOTES, 'UTF-8') . '?Type='.$_GET['Type'] . '" method="post" name="form1">';
echo '<input type="hidden" name="FormID" value="' . $_SESSION['FormID'] . '" />';
/*show the batch header details and the entries in the batch so far */
$SQL = "SELECT bankaccountname,
bankaccounts.accountcode,
bankaccounts.currcode
FROM bankaccounts,
chartmaster
WHERE bankaccounts.accountcode=chartmaster.accountcode";
$ErrMsg = _('The bank accounts could not be retrieved because');
$DbgMsg = _('The SQL used to retrieve the bank accounts was');
$AccountsResults = DB_query($SQL,$db,$ErrMsg,$DbgMsg);
if (isset($_POST['GLEntry'])) {
echo '<p class="page_title_text"><img src="'.$rootpath.'/css/'.$theme.'/images/transactions.png" title="' . _('Enter Receipt') . '" alt="" />' .
' ' . _('General Ledger Receipt Entry') . '</p>';
} else {
echo '<p class="page_title_text"><img src="'.$rootpath.'/css/'.$theme.'/images/transactions.png" title="' . _('Enter Receipt') . '" alt="" />' . ' ' . _('Enter Customer Receipt') . '</p>';
echo '<div class="page_help_text">' . _('To enter a payment TO a customer (ie. to pay out a credit note), enter a negative payment amount.') . '</div>';
}
echo '<br /><table class="selection"><tr><td>' . _('Bank Account') . ':</td>
<td><select tabindex="1" name="BankAccount" onChange="ReloadForm(form1.BatchInput)">';
if (DB_num_rows($AccountsResults)==0){
echo '</select></td></tr></table><br />';
prnMsg(_('Bank Accounts have not yet been defined') . '. ' . _('You must first') . ' ' . '<a href="' . $rootpath . '/BankAccounts.php">' . _('define the bank accounts') . '</a>' . _('and general ledger accounts to be affected'),'info');
include('includes/footer.inc');
exit;
} else {
echo '<option value=""></option>';
while ($myrow=DB_fetch_array($AccountsResults)){
/*list the bank account names */
if ($_SESSION['ReceiptBatch']->Account==$myrow['accountcode']){
echo '<option selected="True" value="' . $myrow['accountcode'] . '">' . $myrow['bankaccountname'] . ' - ' . $myrow['currcode'] . '</option>';
} else {
echo '<option value="' . $myrow['accountcode'] . '">' . $myrow['bankaccountname']. ' - ' . $myrow['currcode'] . '</option>';
}
}
echo '</select></td></tr>';
}
if (!Is_Date($_SESSION['ReceiptBatch']->DateBanked)){
$_SESSION['ReceiptBatch']->DateBanked = Date($_SESSION['DefaultDateFormat']);
}
echo '<tr><td>' . _('Date Banked') . ':</td>
<td><input tabindex="2" type="text" class="date" alt="'.$_SESSION['DefaultDateFormat'].'" name="DateBanked" maxlength="10" size="10" onChange="isDate(this, this.value, '."'".$_SESSION['DefaultDateFormat']."'".')" value="' . $_SESSION['ReceiptBatch']->DateBanked . '" /></td></tr>';
echo '<tr><td>' . _('Currency') . ':</td>
<td><select tabindex="3" name="Currency" onChange="ReloadForm(form1.BatchInput)">';
if (!isset($_SESSION['ReceiptBatch']->Currency)){
$_SESSION['ReceiptBatch']->Currency=$_SESSION['CompanyRecord']['currencydefault'];
}
$SQL = "SELECT currency, currabrev, rate FROM currencies";
$result=DB_query($SQL,$db);
if (DB_num_rows($result)==0){
echo '</select></td></tr>';
prnMsg(_('No currencies are defined yet') . '. ' . _('Receipts cannot be entered until a currency is defined'),'warn');
} else {
while ($myrow=DB_fetch_array($result)){
if ($_SESSION['ReceiptBatch']->Currency==$myrow['currabrev']){
echo '<option selected="True" value="' . $myrow['currabrev'] . '">' . $myrow['currency'] . '</option>';
} else {
echo '<option value="' . $myrow['currabrev'] . '">' . $myrow['currency'] . '</option>';
}
}
echo '</select></td></tr>';
}
if (!isset($_SESSION['ReceiptBatch']->ExRate)){
$_SESSION['ReceiptBatch']->ExRate=1;
}
if (!isset($_SESSION['ReceiptBatch']->FunctionalExRate)){
$_SESSION['ReceiptBatch']->FunctionalExRate=1;
}
if ($_SESSION['ReceiptBatch']->AccountCurrency!=$_SESSION['ReceiptBatch']->Currency AND isset($_SESSION['ReceiptBatch']->AccountCurrency)){
if (isset($SuggestedExRate)){
$SuggestedExRateText = '<b>' . _('Suggested rate:') . ' ' . locale_number_format($SuggestedExRate,6) . '</b>';
} else {
$SuggestedExRateText ='';
}
if ($_SESSION['ReceiptBatch']->ExRate==1 AND isset($SuggestedExRate)){
$_SESSION['ReceiptBatch']->ExRate = $SuggestedExRate;
} elseif ($_POST['Currency'] != $_POST['PreviousCurrency'] and isset($SuggestedExRate)){//the user has changed the currency, then we should revise suggested rate
$_SESSION['ReceiptBatch']->ExRate = $SuggestedExRate;
}
echo '<tr><td>' . _('Receipt Exchange Rate') . ':</td>
<td><input tabindex="4" type="text" name="ExRate" maxlength="10" size="12" class="number" value="' . locale_number_format($_SESSION['ReceiptBatch']->ExRate,4) . '" /></td>
<td>' . $SuggestedExRateText . ' <i>' . _('The exchange rate between the currency of the bank account currency and the currency of the receipt') . '. 1 ' . $_SESSION['ReceiptBatch']->AccountCurrency . ' = ? ' . $_SESSION['ReceiptBatch']->Currency . '</i></td></tr>';
}
if ($_SESSION['ReceiptBatch']->AccountCurrency!=$_SESSION['CompanyRecord']['currencydefault']
AND isset($_SESSION['ReceiptBatch']->AccountCurrency)){
if (isset($SuggestedFunctionalExRate)){
$SuggestedFunctionalExRateText = '<b>' . _('Suggested rate:') . ' ' . locale_number_format($SuggestedFunctionalExRate,4) . '</b>';
} else {
$SuggestedFunctionalExRateText ='';
}
if ($_SESSION['ReceiptBatch']->FunctionalExRate==1 AND isset($SuggestedFunctionalExRate)){
$_SESSION['ReceiptBatch']->FunctionalExRate = $SuggestedFunctionalExRate;
}
echo '<tr><td>' . _('Functional Exchange Rate') . ':</td><td><input tabindex="5" type="text" name="FunctionalExRate" class="number" maxlength="10" size="12" value="' . locale_number_format($_SESSION['ReceiptBatch']->FunctionalExRate, 4) . '" /></td>
<td>' . ' ' . $SuggestedFunctionalExRateText . ' <i>' . _('The exchange rate between the currency of the business (the functional currency) and the currency of the bank account') . '. 1 ' . $_SESSION['CompanyRecord']['currencydefault'] . ' = ? ' . $_SESSION['ReceiptBatch']->AccountCurrency . '</i></td></tr>';
}
echo '<tr><td>' . _('Receipt Type') . ':</td><td><select tabindex="6" name="ReceiptType">';
include('includes/GetPaymentMethods.php');
/* The array ReceiptTypes is defined from the setup tab of the main menu under payment methods - the array is populated from the include file GetPaymentMethods.php */
foreach ($ReceiptTypes as $RcptType) {
if (isset($_POST['ReceiptType']) and $_POST['ReceiptType']==$RcptType){
echo '<option selected="True" value="' . $RcptType . '">' . $RcptType .'</option>';
} else {
echo '<option value="' .$RcptType . '">' . $RcptType .'</option>';
}
}
echo '</select></td></tr>';
if (!isset($_SESSION['ReceiptBatch']->Narrative)) {
$_SESSION['ReceiptBatch']->Narrative='';
}
echo '<tr>
<td>' . _('Narrative') . ':</td><td><input tabindex="7" type="text" name="BatchNarrative" maxlength="50" size="52" value="' . $_SESSION['ReceiptBatch']->Narrative . '" /></td>
</tr>
<input type="hidden" name="PreviousCurrency" value="' . $_POST['Currency'] . '" />';
echo '<tr><td colspan="3"><div class="centre"><button tabindex="8" type="submit" name="BatchInput">' . _('Accept') . '</button></div></td></tr>';
echo '</table><br />';
if (isset($_SESSION['ReceiptBatch'])){
/* Now show the entries made so far */
if (!$BankAccountEmpty) {
echo '<p class="page_title_text"><img src="'.$rootpath.'/css/'.$theme.'/images/transactions.png" title="' . _('Banked') . '" alt="" />' . ' ' . $_SESSION['ReceiptBatch']->ReceiptType . ' - ' . _('Banked into the') . " " .
$_SESSION['ReceiptBatch']->BankAccountName . ' ' . _('on') . ' ' . $_SESSION['ReceiptBatch']->DateBanked . '</p>';
}
echo '<table width="90%" class="selection"><tr>
<th>' . _('Amount') . ' ' . _('Received') . '</th>
<th>' . _('Discount') . '</th>
<th>' . _('Customer') . '</th>
<th>' . _('GL Code') . '</th>
<th>' . _('Narrative') . '</th>
</tr>';
$BatchTotal = 0;
foreach ($_SESSION['ReceiptBatch']->Items as $ReceiptItem) {
$SQL = "SELECT accountname FROM chartmaster WHERE accountcode='" . $ReceiptItem->GLCode . "'";
$Result=DB_query($SQL,$db);
$myrow=DB_fetch_array($Result);
echo '<tr>
<td class="number">' . locale_money_format($ReceiptItem->Amount, $_SESSION['ReceiptBatch']->Currency) . '</td>
<td class="number">' . locale_money_format($ReceiptItem->Discount,$_SESSION['ReceiptBatch']->Currency) . '</td>
<td>' . stripslashes($ReceiptItem->CustomerName) . '</td>
<td>'.$ReceiptItem->GLCode.' - '.$myrow['accountname'].'</td>
<td>'.$ReceiptItem->Narrative . '</td>
<td><a href="' . htmlspecialchars($_SERVER['PHP_SELF'], ENT_QUOTES, 'UTF-8') . '?Delete=' . $ReceiptItem->ID . '&Type='.$_GET['Type'].'">' . _('Delete') . '</a></td>
</tr>';
$BatchTotal= $BatchTotal + $ReceiptItem->Amount;
}
echo '<tr><td class="number"><b>' . locale_money_format($BatchTotal,$_SESSION['ReceiptBatch']->Currency) . '</b></td></tr></table>';
}
/*this next block of ifs deals with what information to display for input into the form
the info depends on where the user is up to ie the first stage is to select a bank
account, currency being banked and a batch number - or start a new batch by leaving the batch no blank
and a date for the banking. The second stage is to select a customer or GL account.
Finally enter the amount */
/*if a customer has been selected (and a receipt batch is underway)
then set out the customers account summary */
if (isset($_SESSION['CustomerRecord'])
AND $_SESSION['CustomerRecord']['currcode'] != $_SESSION['ReceiptBatch']->Currency){
prnMsg(_('The selected customer does not trade in the currency of the receipt being entered - either the currency of the receipt needs to be changed or a different customer selected'),'warn');
unset($_SESSION['CustomerRecord']);
}
if (isset($_SESSION['CustomerRecord'])
AND isset($_POST['CustomerID'])
AND $_POST['CustomerID']!=''
AND isset($_SESSION['ReceiptBatch'])){
/*a customer is selected */
echo '<p class="page_title_text"><img src="'.$rootpath.'/css/'.$theme.'/images/customer.png" title="' . _('Customer') . '" alt="" />' . ' ' .
$_SESSION['CustomerRecord']['name'] . ' - (' . _('All amounts stated in') . ' ' . $_SESSION['CustomerRecord']['currency'] . ')' .
_('Terms') . ': ' . $_SESSION['CustomerRecord']['terms'] . '<br/>' . _('Credit Limit') . ': ' .
locale_money_format($_SESSION['CustomerRecord']['creditlimit'],$_SESSION['ReceiptBatch']->Currency) . ' ' . _('Credit Status') . ': ' . $_SESSION['CustomerRecord']['reasondescription'] . '</p>';
if ($_SESSION['CustomerRecord']['dissallowinvoices']!=0){
echo '<br /><font color="red" size="4"><b>' . _('ACCOUNT ON HOLD') . '</font></b><br/>';
}
echo '<table width="90%" class="selection">
<tr>
<th width="20%">' . _('Total Balance') . '</th>
<th width="20%">' . _('Current') . '</th>
<th width="20%">' . _('Now Due') . '</th>
<th width="20%">' . $_SESSION['PastDueDays1'] . '-' . $_SESSION['PastDueDays2'] . ' ' . _('Days Overdue') . '</th>
<th width="20%">' . _('Over') . ' ' . $_SESSION['PastDueDays2'] . ' ' . _('Days Overdue') . '</th>
</tr>';
echo '<tr>
<td class="number">' . locale_money_format($_SESSION['CustomerRecord']['balance'],$_SESSION['ReceiptBatch']->Currency) . '</td>
<td class="number">' . locale_money_format(($_SESSION['CustomerRecord']['balance'] - $_SESSION['CustomerRecord']['due']),$_SESSION['ReceiptBatch']->Currency) . '</td>
<td class="number">' . locale_money_format(($_SESSION['CustomerRecord']['due']-$_SESSION['CustomerRecord']['overdue1']),$_SESSION['ReceiptBatch']->Currency) . '</td>
<td class="number">' . locale_money_format(($_SESSION['CustomerRecord']['overdue1']-$_SESSION['CustomerRecord']['overdue2']) ,$_SESSION['ReceiptBatch']->Currency) . '</td>
<td class="number">' . locale_money_format($_SESSION['CustomerRecord']['overdue2'],$_SESSION['ReceiptBatch']->Currency) . '</td>
</tr>
</table><br />';
echo '<table class="selection">';
$DisplayDiscountPercent = locale_number_format($_SESSION['CustomerRecord']['pymtdiscount']*100,2) . "%";
echo '<input type="hidden" name="CustomerID" value="' . $_POST['CustomerID'] . '" />';
echo '<input type="hidden" name="CustomerName" value="' . $_SESSION['CustomerRecord']['name'] . '" />';
}
if (isset($_POST['GLEntry']) AND isset($_SESSION['ReceiptBatch'])){
/* Set up a heading for the transaction entry for a GL Receipt */
echo '<br /><table class="selection">';
echo '<th colspan="2" class="header">' . _('General Ledger Receipt Entry') . '</th>';
//Select the tag
echo '<tr><td>' . _('Select Tag') . ':</td><td><select name="tag">';
$SQL = "SELECT tagref,
tagdescription
FROM tags
ORDER BY tagref";
$result=DB_query($SQL,$db);
echo '<option value="0"></option>';
while ($myrow=DB_fetch_array($result)){
if (isset($_POST['tag']) and $_POST['tag']==$myrow["tagref"]){
echo '<option selected="True" value="' . $myrow['tagref'] . '">' . $myrow['tagref'].' - ' .$myrow['tagdescription'] . '</option>';
} else {
echo '<option value="' . $myrow['tagref'] . '">' . $myrow['tagref'].' - ' .$myrow['tagdescription'] . '</option>';
}
}
echo '</select></td></tr>';
// End select tag
/*now set up a GLCode field to select from avaialble GL accounts */
echo '<tr><td>' . _('GL Account') . ':</td><td><select tabindex="8" name="GLCode">';
$SQL = "SELECT accountcode,
accountname
FROM chartmaster
ORDER BY accountcode";
$result=DB_query($SQL,$db);
if (DB_num_rows($result)==0){
echo '</select>' . _('No General ledger accounts have been set up yet') . ' - ' . _('receipts cannot be entered against GL accounts until the GL accounts are set up') . '</td></tr>';
} else {
echo '<option value=""></option>';
while ($myrow=DB_fetch_array($result)){
if ($_POST['GLCode']==$myrow['accountcode']){
echo '<option selected="True" value="' . $myrow['accountcode'] . '">' . $myrow['accountcode'] . ' - ' . $myrow['accountname'] . '</option>';
} else {
echo '<option value="' . $myrow['accountcode'] . '">' . $myrow['accountcode'] . ' - ' . $myrow['accountname'] . '</option>';
}
}
echo '</select></td></tr>';
}
}
/*if either a customer is selected or its a GL Entry then set out
the fields for entry of receipt amt, disc, payee details, narrative */
if (((isset($_SESSION['CustomerRecord'])
AND isset($_POST['CustomerID'])