forked from timschofield/webERP
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathSelectOrderItems.php
1865 lines (1625 loc) · 85.7 KB
/
SelectOrderItems.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
include('includes/DefineCartClass.php');
/* Session started in session.php for password checking and authorisation level check
config.php is in turn included in session.php*/
include('includes/session.php');
if (isset($_GET['ModifyOrderNumber'])) {
$Title = _('Modifying Order') . ' ' . $_GET['ModifyOrderNumber'];
} else {
$Title = _('Select Order Items');
}
/* webERP manual links before header.php */
$ViewTopic= 'SalesOrders';
$BookMark = 'SalesOrderEntry';
include('includes/header.php');
include('includes/GetPrice.inc');
include('includes/SQL_CommonFunctions.inc');
include('includes/StockFunctions.php');
if (isset($_POST['QuickEntry'])){
unset($_POST['PartSearch']);
}
if (isset($_POST['SelectingOrderItems'])){
foreach ($_POST as $FormVariable => $Quantity) {
if (mb_strpos($FormVariable,'OrderQty')!==false) {
$NewItemArray[$_POST['StockID' . mb_substr($FormVariable,8)]] = filter_number_format($Quantity);
}
}
}
if (isset($_POST['UploadFile'])) {
if (isset($_FILES['CSVFile']) and $_FILES['CSVFile']['name']) {
//check file info
$FileName = $_FILES['CSVFile']['name'];
$TempName = $_FILES['CSVFile']['tmp_name'];
$FileSize = $_FILES['CSVFile']['size'];
//get file handle
$FileHandle = fopen($TempName, 'r');
$Row = 0;
$InsertNum = 0;
while (($FileRow = fgetcsv($FileHandle, 10000, ",")) !== False) {
/* Check the stock code exists */
++$Row;
$SQL = "SELECT stockid FROM stockmaster WHERE stockid='" . $FileRow[0] . "'";
$Result = DB_query($SQL);
if (DB_num_rows($Result) > 0) {
$NewItemArray[$FileRow[0]] = filter_number_format($FileRow[1]);
++$InsertNum;
}
}
}
$_POST['SelectingOrderItems'] = 1;
if (sizeof($NewItemArray) == 0) {
prnMsg(_('There are no items that can be imported'), 'error');
} else {
prnMsg($InsertNum . ' ' . _('of') . ' ' . $Row . ' ' . _('rows have been added to the order'), 'info');
}
}
if (isset($_GET['NewItem'])){
$NewItem = trim($_GET['NewItem']);
}
if (empty($_GET['identifier'])) {
/*unique session identifier to ensure that there is no conflict with other order entry sessions on the same machine */
$identifier=date('U');
} else {
$identifier=$_GET['identifier'];
}
if (isset($_GET['NewOrder'])){
/*New order entry - clear any existing order details from the Items object and initiate a newy*/
if (isset($_SESSION['Items'.$identifier])){
unset ($_SESSION['Items'.$identifier]->LineItems);
$_SESSION['Items'.$identifier]->ItemsOrdered=0;
unset ($_SESSION['Items'.$identifier]);
}
$_SESSION['ExistingOrder' .$identifier]=0;
$_SESSION['Items'.$identifier] = new cart;
if ($CustomerLogin==1){ //its a customer logon
$_SESSION['Items'.$identifier]->DebtorNo=$_SESSION['CustomerID'];
$_SESSION['Items'.$identifier]->BranchCode=$_SESSION['UserBranch'];
$SelectedCustomer = $_SESSION['CustomerID'];
$SelectedBranch = $_SESSION['UserBranch'];
$_SESSION['RequireCustomerSelection'] = 0;
} else {
$_SESSION['Items'.$identifier]->DebtorNo='';
$_SESSION['Items'.$identifier]->BranchCode='';
$_SESSION['RequireCustomerSelection'] = 1;
}
}
if (isset($_GET['ModifyOrderNumber'])
AND $_GET['ModifyOrderNumber']!=''){
/* The delivery check screen is where the details of the order are either updated or inserted depending on the value of ExistingOrder */
if (isset($_SESSION['Items'.$identifier])){
unset ($_SESSION['Items'.$identifier]->LineItems);
unset ($_SESSION['Items'.$identifier]);
}
$_SESSION['ExistingOrder'.$identifier]=$_GET['ModifyOrderNumber'];
$_SESSION['RequireCustomerSelection'] = 0;
$_SESSION['Items'.$identifier] = new cart;
/*read in all the guff from the selected order into the Items cart */
$OrderHeaderSQL = "SELECT salesorders.debtorno,
debtorsmaster.name,
salesorders.branchcode,
salesorders.customerref,
salesorders.comments,
salesorders.orddate,
salesorders.ordertype,
salestypes.sales_type,
salesorders.shipvia,
salesorders.deliverto,
salesorders.deladd1,
salesorders.deladd2,
salesorders.deladd3,
salesorders.deladd4,
salesorders.deladd5,
salesorders.deladd6,
salesorders.contactphone,
salesorders.contactemail,
salesorders.salesperson,
salesorders.freightcost,
salesorders.deliverydate,
debtorsmaster.currcode,
currencies.decimalplaces,
paymentterms.terms,
salesorders.fromstkloc,
salesorders.printedpackingslip,
salesorders.datepackingslipprinted,
salesorders.quotation,
salesorders.quotedate,
salesorders.confirmeddate,
salesorders.deliverblind,
debtorsmaster.customerpoline,
locations.locationname,
custbranch.estdeliverydays,
custbranch.salesman
FROM salesorders
INNER JOIN debtorsmaster
ON salesorders.debtorno = debtorsmaster.debtorno
INNER JOIN salestypes
ON salesorders.ordertype=salestypes.typeabbrev
INNER JOIN custbranch
ON salesorders.debtorno = custbranch.debtorno
AND salesorders.branchcode = custbranch.branchcode
INNER JOIN paymentterms
ON debtorsmaster.paymentterms=paymentterms.termsindicator
INNER JOIN locations
ON locations.loccode=salesorders.fromstkloc
INNER JOIN currencies
ON debtorsmaster.currcode=currencies.currabrev
INNER JOIN locationusers ON locationusers.loccode=salesorders.fromstkloc AND locationusers.userid='" . $_SESSION['UserID'] . "' AND locationusers.canupd=1
WHERE salesorders.orderno = '" . $_GET['ModifyOrderNumber'] . "'";
$ErrMsg = _('The order cannot be retrieved because');
$GetOrdHdrResult = DB_query($OrderHeaderSQL,$ErrMsg);
if (DB_num_rows($GetOrdHdrResult)==1) {
$MyRow = DB_fetch_array($GetOrdHdrResult);
if ($_SESSION['SalesmanLogin']!='' AND $_SESSION['SalesmanLogin']!=$MyRow['salesman']){
prnMsg(_('Your account is set up to see only a specific salespersons orders. You are not authorised to modify this order'),'error');
include('includes/footer.php');
exit;
}
if ($CustomerLogin == 1 AND $_SESSION['CustomerID'] != $MyRow['debtorno']) {
echo '<p class="bad">' . _('This transaction is addressed to another customer and cannot be displayed for privacy reasons') . '. ' . _('Please select only transactions relevant to your company').'</p>';
include('includes/footer.inc');
exit;
}
$_SESSION['Items'.$identifier]->OrderNo = $_GET['ModifyOrderNumber'];
$_SESSION['Items'.$identifier]->DebtorNo = $MyRow['debtorno'];
$_SESSION['Items'.$identifier]->CreditAvailable = GetCreditAvailable($_SESSION['Items'.$identifier]->DebtorNo);
/*CustomerID defined in header.php */
$_SESSION['Items'.$identifier]->Branch = $MyRow['branchcode'];
$_SESSION['Items'.$identifier]->CustomerName = $MyRow['name'];
$_SESSION['Items'.$identifier]->CustRef = $MyRow['customerref'];
$_SESSION['Items'.$identifier]->Comments = stripcslashes($MyRow['comments']);
$_SESSION['Items'.$identifier]->PaymentTerms =$MyRow['terms'];
$_SESSION['Items'.$identifier]->DefaultSalesType =$MyRow['ordertype'];
$_SESSION['Items'.$identifier]->SalesTypeName =$MyRow['sales_type'];
$_SESSION['Items'.$identifier]->DefaultCurrency = $MyRow['currcode'];
$_SESSION['Items'.$identifier]->CurrDecimalPlaces = $MyRow['decimalplaces'];
$_SESSION['Items'.$identifier]->ShipVia = $MyRow['shipvia'];
$BestShipper = $MyRow['shipvia'];
$_SESSION['Items'.$identifier]->DeliverTo = $MyRow['deliverto'];
$_SESSION['Items'.$identifier]->DeliveryDate = ConvertSQLDate($MyRow['deliverydate']);
$_SESSION['Items'.$identifier]->DelAdd1 = $MyRow['deladd1'];
$_SESSION['Items'.$identifier]->DelAdd2 = $MyRow['deladd2'];
$_SESSION['Items'.$identifier]->DelAdd3 = $MyRow['deladd3'];
$_SESSION['Items'.$identifier]->DelAdd4 = $MyRow['deladd4'];
$_SESSION['Items'.$identifier]->DelAdd5 = $MyRow['deladd5'];
$_SESSION['Items'.$identifier]->DelAdd6 = $MyRow['deladd6'];
$_SESSION['Items'.$identifier]->PhoneNo = $MyRow['contactphone'];
$_SESSION['Items'.$identifier]->Email = $MyRow['contactemail'];
$_SESSION['Items'.$identifier]->SalesPerson = $MyRow['salesperson'];
$_SESSION['Items'.$identifier]->Location = $MyRow['fromstkloc'];
$_SESSION['Items'.$identifier]->LocationName = $MyRow['locationname'];
$_SESSION['Items'.$identifier]->Quotation = $MyRow['quotation'];
$_SESSION['Items'.$identifier]->QuoteDate = ConvertSQLDate($MyRow['quotedate']);
$_SESSION['Items'.$identifier]->ConfirmedDate = ConvertSQLDate($MyRow['confirmeddate']);
$_SESSION['Items'.$identifier]->FreightCost = $MyRow['freightcost'];
$_SESSION['Items'.$identifier]->Orig_OrderDate = $MyRow['orddate'];
$_SESSION['PrintedPackingSlip'] = $MyRow['printedpackingslip'];
$_SESSION['DatePackingSlipPrinted'] = $MyRow['datepackingslipprinted'];
$_SESSION['Items'.$identifier]->DeliverBlind = $MyRow['deliverblind'];
$_SESSION['Items'.$identifier]->DefaultPOLine = $MyRow['customerpoline'];
$_SESSION['Items'.$identifier]->DeliveryDays = $MyRow['estdeliverydays'];
//Get The exchange rate used for GPPercent calculations on adding or amending items
if ($_SESSION['Items'.$identifier]->DefaultCurrency != $_SESSION['CompanyRecord']['currencydefault']){
$ExRateResult = DB_query("SELECT rate FROM currencies WHERE currabrev='" . $_SESSION['Items'.$identifier]->DefaultCurrency . "'");
if (DB_num_rows($ExRateResult)>0){
$ExRateRow = DB_fetch_row($ExRateResult);
$ExRate = $ExRateRow[0];
} else {
$ExRate =1;
}
} else {
$ExRate = 1;
}
/*need to look up customer name from debtors master then populate the line items array with the sales order details records */
$LineItemsSQL = "SELECT salesorderdetails.orderlineno,
salesorderdetails.stkcode,
stockmaster.description,
stockmaster.longdescription,
stockmaster.volume,
stockmaster.grossweight,
stockmaster.units,
stockmaster.serialised,
stockmaster.nextserialno,
stockmaster.eoq,
salesorderdetails.unitprice,
salesorderdetails.quantity,
salesorderdetails.discountpercent,
salesorderdetails.actualdispatchdate,
salesorderdetails.qtyinvoiced,
salesorderdetails.narrative,
salesorderdetails.itemdue,
salesorderdetails.poline,
locstock.quantity as qohatloc,
stockmaster.mbflag,
stockmaster.discountcategory,
stockmaster.decimalplaces,
stockmaster.actualcost AS standardcost,
salesorderdetails.completed
FROM salesorderdetails INNER JOIN stockmaster
ON salesorderdetails.stkcode = stockmaster.stockid
INNER JOIN locstock ON locstock.stockid = stockmaster.stockid
WHERE locstock.loccode = '" . $MyRow['fromstkloc'] . "'
AND salesorderdetails.orderno ='" . $_GET['ModifyOrderNumber'] . "'
ORDER BY salesorderdetails.orderlineno";
$ErrMsg = _('The line items of the order cannot be retrieved because');
$LineItemsResult = DB_query($LineItemsSQL,$ErrMsg);
if (DB_num_rows($LineItemsResult)>0) {
while ($MyRow=DB_fetch_array($LineItemsResult)) {
if ($MyRow['completed']==0){
$_SESSION['Items'.$identifier]->add_to_cart($MyRow['stkcode'],
$MyRow['quantity'],
$MyRow['description'],
$MyRow['longdescription'],
$MyRow['unitprice'],
$MyRow['discountpercent'],
$MyRow['units'],
$MyRow['volume'],
$MyRow['grossweight'],
$MyRow['qohatloc'],
$MyRow['mbflag'],
$MyRow['actualdispatchdate'],
$MyRow['qtyinvoiced'],
$MyRow['discountcategory'],
0, /*Controlled*/
$MyRow['serialised'],
$MyRow['decimalplaces'],
$MyRow['narrative'],
'No', /* Update DB */
$MyRow['orderlineno'],
0,
'',
ConvertSQLDate($MyRow['itemdue']),
$MyRow['poline'],
$MyRow['standardcost'],
$MyRow['eoq'],
$MyRow['nextserialno'],
$ExRate,
$identifier );
/*Just populating with existing order - no DBUpdates */
}
$LastLineNo = $MyRow['orderlineno'];
} /* line items from sales order details */
$_SESSION['Items'.$identifier]->LineCounter = $LastLineNo+1;
} //end of checks on returned data set
}
}
if (!isset($_SESSION['Items'.$identifier])){
/* It must be a new order being created $_SESSION['Items'.$identifier] would be set up from the order
modification code above if a modification to an existing order. Also $ExistingOrder would be
set to 1. The delivery check screen is where the details of the order are either updated or
inserted depending on the value of ExistingOrder */
$_SESSION['ExistingOrder'.$identifier]=0;
$_SESSION['Items'.$identifier] = new cart;
$_SESSION['PrintedPackingSlip'] = 0; /*Of course cos the order aint even started !!*/
if (in_array($_SESSION['PageSecurityArray']['ConfirmDispatch_Invoice.php'], $_SESSION['AllowedPageSecurityTokens'])
AND ($_SESSION['Items'.$identifier]->DebtorNo==''
OR !isset($_SESSION['Items'.$identifier]->DebtorNo))){
/* need to select a customer for the first time out if authorisation allows it and if a customer
has been selected for the order or not the session variable CustomerID holds the customer code
already as determined from user id /password entry */
$_SESSION['RequireCustomerSelection'] = 1;
} else {
$_SESSION['RequireCustomerSelection'] = 0;
}
}
if (isset($_POST['ChangeCustomer']) AND $_POST['ChangeCustomer']!=''){
if ($_SESSION['Items'.$identifier]->Any_Already_Delivered()==0){
$_SESSION['RequireCustomerSelection']=1;
} else {
prnMsg(_('The customer the order is for cannot be modified once some of the order has been invoiced'),'warn');
}
}
//Customer logins are not allowed to select other customers hence in_array($_SESSION['PageSecurityArray']['ConfirmDispatch_Invoice.php'], $_SESSION['AllowedPageSecurityTokens'])
if (isset($_POST['SearchCust'])
AND $_SESSION['RequireCustomerSelection']==1
AND in_array($_SESSION['PageSecurityArray']['ConfirmDispatch_Invoice.php'], $_SESSION['AllowedPageSecurityTokens'])){
$SQL = "SELECT custbranch.brname,
custbranch.contactname,
custbranch.phoneno,
custbranch.faxno,
custbranch.branchcode,
custbranch.debtorno,
debtorsmaster.name
FROM custbranch
LEFT JOIN debtorsmaster
ON custbranch.debtorno=debtorsmaster.debtorno
WHERE custbranch.disabletrans=0 ";
if (($_POST['CustKeywords']=='') AND ($_POST['CustCode']=='') AND ($_POST['CustPhone']=='')) {
$SQL .= "";
} else {
//insert wildcard characters in spaces
$_POST['CustKeywords'] = mb_strtoupper(trim($_POST['CustKeywords']));
$SearchString = str_replace(' ', '%', $_POST['CustKeywords']) ;
$SQL .= "AND custbranch.brname " . LIKE . " '%" . $SearchString . "%'
AND custbranch.branchcode " . LIKE . " '%" . mb_strtoupper(trim($_POST['CustCode'])) . "%'
AND custbranch.phoneno " . LIKE . " '%" . trim($_POST['CustPhone']) . "%'";
} /*one of keywords or custcode was more than a zero length string */
if ($_SESSION['SalesmanLogin']!=''){
$SQL .= " AND custbranch.salesman='" . $_SESSION['SalesmanLogin'] . "'";
}
$SQL .= " ORDER BY custbranch.debtorno,
custbranch.branchcode";
$ErrMsg = _('The searched customer records requested cannot be retrieved because');
$Result_CustSelect = DB_query($SQL,$ErrMsg);
if (DB_num_rows($Result_CustSelect)==1){
$MyRow=DB_fetch_array($Result_CustSelect);
$SelectedCustomer = $MyRow['debtorno'];
$SelectedBranch = $MyRow['branchcode'];
} elseif (DB_num_rows($Result_CustSelect)==0){
prnMsg(_('No Customer Branch records contain the search criteria') . ' - ' . _('please try again') . ' - ' . _('Note a Customer Branch Name may be different to the Customer Name'),'info');
}
} /*end of if search for customer codes/names */
if (isset($_POST['JustSelectedACustomer'])){
/*Need to figure out the number of the form variable that the user clicked on */
for ($i=0;$i<count($_POST);$i++){ //loop through the returned customers
if(isset($_POST['SubmitCustomerSelection'.$i])){
break;
}
}
if ($i==count($_POST) AND !isset($SelectedCustomer)){//if there is ONLY one customer searched at above, the $SelectedCustomer already setup, then there is a wrong warning
prnMsg(_('Unable to identify the selected customer'),'error');
} elseif(!isset($SelectedCustomer)) {
$SelectedCustomer = $_POST['SelectedCustomer'.$i];
$SelectedBranch = $_POST['SelectedBranch'.$i];
}
}
/* will only be true if page called from customer selection form or set because only one customer
record returned from a search so parse the $SelectCustomer string into customer code and branch code */
if (isset($SelectedCustomer)) {
$_SESSION['Items'.$identifier]->DebtorNo = trim($SelectedCustomer);
$_SESSION['Items'.$identifier]->Branch = trim($SelectedBranch);
// Now check to ensure this account is not on hold */
$SQL = "SELECT debtorsmaster.name,
holdreasons.dissallowinvoices,
debtorsmaster.salestype,
salestypes.sales_type,
debtorsmaster.currcode,
debtorsmaster.customerpoline,
paymentterms.terms,
currencies.decimalplaces
FROM debtorsmaster INNER JOIN holdreasons
ON debtorsmaster.holdreason=holdreasons.reasoncode
INNER JOIN salestypes
ON debtorsmaster.salestype=salestypes.typeabbrev
INNER JOIN paymentterms
ON debtorsmaster.paymentterms=paymentterms.termsindicator
INNER JOIN currencies
ON debtorsmaster.currcode=currencies.currabrev
WHERE debtorsmaster.debtorno = '" . $_SESSION['Items'.$identifier]->DebtorNo. "'";
$ErrMsg = _('The details of the customer selected') . ': ' . $_SESSION['Items'.$identifier]->DebtorNo . ' ' . _('cannot be retrieved because');
$DbgMsg = _('The SQL used to retrieve the customer details and failed was') . ':';
$Result =DB_query($SQL,$ErrMsg,$DbgMsg);
$MyRow = DB_fetch_array($Result);
if ($MyRow[1] != 1){
if ($MyRow[1]==2){
prnMsg(_('The') . ' ' . htmlspecialchars($MyRow[0], ENT_QUOTES, 'UTF-8', false) . ' ' . _('account is currently flagged as an account that needs to be watched. Please contact the credit control personnel to discuss'),'warn');
}
$_SESSION['RequireCustomerSelection']=0;
$_SESSION['Items'.$identifier]->CustomerName = $MyRow['name'];
# the sales type determines the price list to be used by default the customer of the user is
# defaulted from the entry of the userid and password.
$_SESSION['Items'.$identifier]->DefaultSalesType = $MyRow['salestype'];
$_SESSION['Items'.$identifier]->SalesTypeName = $MyRow['sales_type'];
$_SESSION['Items'.$identifier]->DefaultCurrency = $MyRow['currcode'];
$_SESSION['Items'.$identifier]->DefaultPOLine = $MyRow['customerpoline'];
$_SESSION['Items'.$identifier]->PaymentTerms = $MyRow['terms'];
$_SESSION['Items'.$identifier]->CurrDecimalPlaces = $MyRow['decimalplaces'];
# the branch was also selected from the customer selection so default the delivery details from the customer branches table CustBranch. The order process will ask for branch details later anyway
$Result = GetCustBranchDetails($identifier);
if (DB_num_rows($Result)==0){
prnMsg(_('The branch details for branch code') . ': ' . $_SESSION['Items'.$identifier]->Branch . ' ' . _('against customer code') . ': ' . $_SESSION['Items'.$identifier]->DebtorNo . ' ' . _('could not be retrieved') . '. ' . _('Check the set up of the customer and branch'),'error');
if ($Debug==1){
prnMsg( _('The SQL that failed to get the branch details was') . ':<br />' . $SQL . 'warning');
}
include('includes/footer.php');
exit;
}
// add echo
echo '<br />';
$MyRow = DB_fetch_array($Result);
if ($_SESSION['SalesmanLogin']!=NULL AND $_SESSION['SalesmanLogin']!=$MyRow['salesman']){
prnMsg(_('Your login is only set up for a particular salesperson. This customer has a different salesperson.'),'error');
include('includes/footer.php');
exit;
}
$_SESSION['Items'.$identifier]->DeliverTo = $MyRow['brname'];
$_SESSION['Items'.$identifier]->DelAdd1 = $MyRow['braddress1'];
$_SESSION['Items'.$identifier]->DelAdd2 = $MyRow['braddress2'];
$_SESSION['Items'.$identifier]->DelAdd3 = $MyRow['braddress3'];
$_SESSION['Items'.$identifier]->DelAdd4 = $MyRow['braddress4'];
$_SESSION['Items'.$identifier]->DelAdd5 = $MyRow['braddress5'];
$_SESSION['Items'.$identifier]->DelAdd6 = $MyRow['braddress6'];
$_SESSION['Items'.$identifier]->PhoneNo = $MyRow['phoneno'];
$_SESSION['Items'.$identifier]->Email = $MyRow['email'];
$_SESSION['Items'.$identifier]->Location = $MyRow['defaultlocation'];
$_SESSION['Items'.$identifier]->ShipVia = $MyRow['defaultshipvia'];
$_SESSION['Items'.$identifier]->DeliverBlind = $MyRow['deliverblind'];
$_SESSION['Items'.$identifier]->SpecialInstructions = $MyRow['specialinstructions'];
$_SESSION['Items'.$identifier]->DeliveryDays = $MyRow['estdeliverydays'];
$_SESSION['Items'.$identifier]->LocationName = $MyRow['locationname'];
if ($_SESSION['SalesmanLogin']!= NULL AND $_SESSION['SalesmanLogin']!=''){
$_SESSION['Items'.$identifier]->SalesPerson = $_SESSION['SalesmanLogin'];
} else {
$_SESSION['Items'.$identifier]->SalesPerson = $MyRow['salesman'];
}
if ($_SESSION['Items'.$identifier]->SpecialInstructions)
prnMsg($_SESSION['Items'.$identifier]->SpecialInstructions,'warn');
if ($_SESSION['CheckCreditLimits'] > 0){ /*Check credit limits is 1 for warn and 2 for prohibit sales */
$_SESSION['Items'.$identifier]->CreditAvailable = GetCreditAvailable($_SESSION['Items'.$identifier]->DebtorNo);
if ($_SESSION['CheckCreditLimits']==1 AND $_SESSION['Items'.$identifier]->CreditAvailable <=0){
prnMsg(_('The') . ' ' . htmlspecialchars($MyRow[0], ENT_QUOTES, 'UTF-8', false) . ' ' . _('account is currently at or over their credit limit'),'warn');
} elseif ($_SESSION['CheckCreditLimits']==2 AND $_SESSION['Items'.$identifier]->CreditAvailable <=0){
prnMsg(_('No more orders can be placed by') . ' ' . htmlspecialchars($MyRow[0], ENT_QUOTES, 'UTF-8', false) . ' ' . _(' their account is currently at or over their credit limit'),'warn');
include('includes/footer.php');
exit;
}
}
} else {
prnMsg(_('The') . ' ' . htmlspecialchars($MyRow[0], ENT_QUOTES, 'UTF-8', false) . ' ' . _('account is currently on hold please contact the credit control personnel to discuss'),'warn');
}
} elseif (!$_SESSION['Items'.$identifier]->DefaultSalesType
OR $_SESSION['Items'.$identifier]->DefaultSalesType=='') {
#Possible that the check to ensure this account is not on hold has not been done
#if the customer is placing own order, if this is the case then
#DefaultSalesType will not have been set as above
$SQL = "SELECT debtorsmaster.name,
holdreasons.dissallowinvoices,
debtorsmaster.salestype,
debtorsmaster.currcode,
currencies.decimalplaces,
debtorsmaster.customerpoline
FROM debtorsmaster
INNER JOIN holdreasons
ON debtorsmaster.holdreason=holdreasons.reasoncode
INNER JOIN currencies
ON debtorsmaster.currcode=currencies.currabrev
WHERE debtorsmaster.debtorno = '" . $_SESSION['Items'.$identifier]->DebtorNo . "'";
$ErrMsg = _('The details for the customer selected') . ': ' .$_SESSION['Items'.$identifier]->DebtorNo . ' ' . _('cannot be retrieved because');
$DbgMsg = _('SQL used to retrieve the customer details was') . ':<br />' . $SQL;
$Result =DB_query($SQL,$ErrMsg,$DbgMsg);
if (DB_num_rows($Result) > 0) {
$MyRow = DB_fetch_array($Result);
if ($MyRow['dissallowinvoices'] == 0){
$_SESSION['Items'.$identifier]->CustomerName = $MyRow[0];
# the sales type determines the price list to be used by default the customer of the user is
# defaulted from the entry of the userid and password.
$_SESSION['Items'.$identifier]->DefaultSalesType = $MyRow['salestype'];
$_SESSION['Items'.$identifier]->DefaultCurrency = $MyRow['currcode'];
$_SESSION['Items'.$identifier]->CurrDecimalPlaces = $MyRow['decimalplaces'];
$_SESSION['Items'.$identifier]->Branch = $_SESSION['UserBranch'];
$_SESSION['Items'.$identifier]->DefaultPOLine = $MyRow['customerpoline'];
// the branch would be set in the user data so default delivery details as necessary. However,
// the order process will ask for branch details later anyway
$Result = GetCustBranchDetails($identifier);
$MyRow = DB_fetch_array($Result);
$_SESSION['Items'.$identifier]->DeliverTo = $MyRow['brname'];
$_SESSION['Items'.$identifier]->DelAdd1 = $MyRow['braddress1'];
$_SESSION['Items'.$identifier]->DelAdd2 = $MyRow['braddress2'];
$_SESSION['Items'.$identifier]->DelAdd3 = $MyRow['braddress3'];
$_SESSION['Items'.$identifier]->DelAdd4 = $MyRow['braddress4'];
$_SESSION['Items'.$identifier]->DelAdd5 = $MyRow['braddress5'];
$_SESSION['Items'.$identifier]->DelAdd6 = $MyRow['braddress6'];
$_SESSION['Items'.$identifier]->PhoneNo = $MyRow['phoneno'];
$_SESSION['Items'.$identifier]->Email = $MyRow['email'];
$_SESSION['Items'.$identifier]->Location = $MyRow['defaultlocation'];
$_SESSION['Items'.$identifier]->DeliverBlind = $MyRow['deliverblind'];
$_SESSION['Items'.$identifier]->DeliveryDays = $MyRow['estdeliverydays'];
$_SESSION['Items'.$identifier]->LocationName = $MyRow['locationname'];
if ($_SESSION['SalesmanLogin']!= NULL AND $_SESSION['SalesmanLogin']!=''){
$_SESSION['Items'.$identifier]->SalesPerson = $_SESSION['SalesmanLogin'];
} else {
$_SESSION['Items'.$identifier]->SalesPerson = $MyRow['salesman'];
}
} else {
prnMsg(_('Sorry, your account has been put on hold for some reason, please contact the credit control personnel.'),'warn');
include('includes/footer.php');
exit;
}
}
}
if ($_SESSION['RequireCustomerSelection'] ==1
OR !isset($_SESSION['Items'.$identifier]->DebtorNo)
OR $_SESSION['Items'.$identifier]->DebtorNo=='') {
echo '<p class="page_title_text"><img src="'.$RootPath.'/css/'.$Theme.'/images/magnifier.png" title="' . _('Search') . '" alt="" />' .
' ' . _('Enter an Order or Quotation') . ' : ' . _('Search for the Customer Branch.') . '</p>';
echo '<div class="page_help_text">' . _('Orders/Quotations are placed against the Customer Branch. A Customer may have several Branches.') . '</div>';
echo '<form action="' . htmlspecialchars($_SERVER['PHP_SELF'], ENT_QUOTES, 'UTF-8') . '?identifier=' . urlencode($identifier) . '" method="post">';
echo '<input name="FormID" type="hidden" value="' . $_SESSION['FormID'] . '" />';
echo '<fieldset>
<field>
<label for="CustKeywords">' . _('Part of the Customer Branch Name') . ':</label>
<input type="text" autofocus="autofocus" name="CustKeywords" size="20" maxlength="25" title="" />
<fieldhelp>' . _('Enter a text extract of the customer\'s name, then click Search Now to find customers matching the entered name') . '</fieldhelp>
</field>
<field>
<label for="CustCode">' . '<b>' . _('OR') . ' </b>' . _('Part of the Customer Branch Code') . ':</label>
<input type="text" name="CustCode" size="15" maxlength="18" title="" />
<fieldhelp>' . _('Enter a part of a customer code that you wish to search for then click the Search Now button to find matching customers') . '</fieldhelp>
</field>
<field>
<label for="CustPhone">' . '<b>' . _('OR') . ' </b>' . _('Part of the Branch Phone Number') . ':</label>
<input type="text" name="CustPhone" size="15" maxlength="18" title=""/>
<fieldhelp>' . _('Enter a part of a customer\'s phone number that you wish to search for then click the Search Now button to find matching customers') . '</fieldhelp>
</field>
</fieldset>
<div class="centre">
<input type="submit" name="SearchCust" value="' . _('Search Now') . '" />
<input type="reset" name="reset" value="' . _('Reset') . '" />
</div>';
if (isset($Result_CustSelect)) {
echo '<input name="FormID" type="hidden" value="' . $_SESSION['FormID'] . '" />
<input name="JustSelectedACustomer" type="hidden" value="Yes" />
<table class="selection">
<thead>
<tr>
<th class="SortedColumn" >' . _('Customer') . '</th>
<th class="SortedColumn" >' . _('Branch') . '</th>
<th class="SortedColumn" >' . _('Contact') . '</th>
<th>' . _('Phone') . '</th>
<th>' . _('Fax') . '</th>
</tr>
</thead>
<tbody>';
$j = 1;
$LastCustomer='';
while ($MyRow=DB_fetch_array($Result_CustSelect)) {
echo '<tr class="striped_row">
<td>' . htmlspecialchars($MyRow['name'], ENT_QUOTES, 'UTF-8', false) . '</td>
<td><input type="submit" name="SubmitCustomerSelection' . $j .'" value="' . htmlspecialchars($MyRow['brname'], ENT_QUOTES, 'UTF-8', false). '" />
<input name="SelectedCustomer' . $j .'" type="hidden" value="'.$MyRow['debtorno'].'" />
<input name="SelectedBranch' . $j .'" type="hidden" value="'. $MyRow['branchcode'].'" /></td>
<td>' . $MyRow['contactname'] . '</td>
<td>' . $MyRow['phoneno'] . '</td>
<td>' . $MyRow['faxno'] . '</td>
</tr>';
$LastCustomer=$MyRow['name'];
$j++;
}
//end of while loop
echo '</tbody>
</table>';
}//end if results to show
echo '</form>';
//end if RequireCustomerSelection
} else { //dont require customer selection
// everything below here only do if a customer is selected
if (isset($_POST['CancelOrder'])) {
$OK_to_delete=1; //assume this in the first instance
if($_SESSION['ExistingOrder' . $identifier]!=0) { //need to check that not already dispatched
$SQL = "SELECT qtyinvoiced
FROM salesorderdetails
WHERE orderno='" . $_SESSION['ExistingOrder' . $identifier] . "'
AND qtyinvoiced>0";
$InvQties = DB_query($SQL);
if (DB_num_rows($InvQties)>0){
$OK_to_delete=0;
prnMsg( _('There are lines on this order that have already been invoiced. Please delete only the lines on the order that are no longer required') . '<p>' . _('There is an option on confirming a dispatch/invoice to automatically cancel any balance on the order at the time of invoicing if you know the customer will not want the back order'),'warn');
}
}
if ($OK_to_delete==1){
if($_SESSION['ExistingOrder' . $identifier]!=0){
$SQL = "DELETE FROM salesorderdetails WHERE salesorderdetails.orderno ='" . $_SESSION['ExistingOrder' . $identifier] . "'";
$ErrMsg =_('The order detail lines could not be deleted because');
$DelResult=DB_query($SQL,$ErrMsg);
$SQL = "DELETE FROM salesorders WHERE salesorders.orderno='" . $_SESSION['ExistingOrder' . $identifier] . "'";
$ErrMsg = _('The order header could not be deleted because');
$DelResult=DB_query($SQL,$ErrMsg);
$_SESSION['ExistingOrder' . $identifier]=0;
}
unset($_SESSION['Items'.$identifier]->LineItems);
$_SESSION['Items'.$identifier]->ItemsOrdered=0;
unset($_SESSION['Items'.$identifier]);
$_SESSION['Items'.$identifier] = new cart;
if (in_array($_SESSION['PageSecurityArray']['ConfirmDispatch_Invoice.php'], $_SESSION['AllowedPageSecurityTokens'])){
$_SESSION['RequireCustomerSelection'] = 1;
} else {
$_SESSION['RequireCustomerSelection'] = 0;
}
echo '<br /><br />';
prnMsg(_('This sales order has been cancelled as requested'),'success');
include('includes/footer.php');
exit;
}
} else { /*Not cancelling the order */
echo '<p class="page_title_text"><img src="'.$RootPath.'/css/'.$Theme.'/images/inventory.png" title="' . _('Order') . '" alt="" />' . ' ';
if ($_SESSION['Items'.$identifier]->Quotation==1){
echo _('Quotation for customer') . ' ';
} else {
echo _('Order for customer') . ' ';
}
echo ':<b> ' . $_SESSION['Items'.$identifier]->DebtorNo . ' ' . _('Customer Name') . ': ' . htmlspecialchars($_SESSION['Items'.$identifier]->CustomerName, ENT_QUOTES, 'UTF-8', false);
echo '</b></p><div class="page_help_text">' . '<b>' . _('Default Options (can be modified during order):') . '</b><br />' . _('Deliver To') . ':<b> ' . htmlspecialchars($_SESSION['Items'.$identifier]->DeliverTo, ENT_QUOTES, 'UTF-8', false);
echo '</b> ' . _('From Location') . ':<b> ' . $_SESSION['Items'.$identifier]->LocationName;
echo '</b><br />' . _('Sales Type') . '/' . _('Price List') . ':<b> ' . $_SESSION['Items'.$identifier]->SalesTypeName;
echo '</b><br />' . _('Terms') . ':<b> ' . $_SESSION['Items'.$identifier]->PaymentTerms;
echo '</b></div>';
}
$Msg ='';
if (isset($_POST['Search']) OR isset($_POST['Next']) OR isset($_POST['Previous'])){
if(!empty($_POST['RawMaterialFlag'])){
$RawMaterialSellable = " OR stockcategory.stocktype='M'";
}else{
$RawMaterialSellable = '';
}
if(!empty($_POST['CustItemFlag'])){
$IncludeCustItem = " INNER JOIN custitem ON custitem.stockid=stockmaster.stockid
AND custitem.debtorno='" . $_SESSION['Items'.$identifier]->DebtorNo . "' ";
} else {
$IncludeCustItem = " LEFT OUTER JOIN custitem ON custitem.stockid=stockmaster.stockid
AND custitem.debtorno='" . $_SESSION['Items'.$identifier]->DebtorNo . "' ";
}
if ($_POST['Keywords']!='' AND $_POST['StockCode']=='') {
$Msg='<div class="page_help_text">' . _('Order Item description has been used in search') . '.</div>';
} elseif ($_POST['StockCode']!='' AND $_POST['Keywords']=='') {
$Msg='<div class="page_help_text">' . _('Stock Code has been used in search') . '.</div>';
} elseif ($_POST['Keywords']=='' AND $_POST['StockCode']=='') {
$Msg='<div class="page_help_text">' . _('Stock Category has been used in search') . '.</div>';
}
$SQL = "SELECT stockmaster.stockid,
stockmaster.description,
stockmaster.longdescription,
stockmaster.units,
stockmaster.decimalplaces,
custitem.cust_part,
custitem.cust_description
FROM stockmaster INNER JOIN stockcategory
ON stockmaster.categoryid=stockcategory.categoryid
" . $IncludeCustItem . "
WHERE (stockcategory.stocktype='F' OR stockcategory.stocktype='D' OR stockcategory.stocktype='L' " . $RawMaterialSellable . ")
AND stockmaster.mbflag <>'G'
AND stockmaster.discontinued=0 ";
if (isset($_POST['Keywords']) AND mb_strlen($_POST['Keywords'])>0) {
//insert wildcard characters in spaces
$_POST['Keywords'] = mb_strtoupper($_POST['Keywords']);
$SearchString = '%' . str_replace(' ', '%', $_POST['Keywords']) . '%';
if ($_POST['StockCat']=='All'){
$SQL .= "AND stockmaster.description " . LIKE . " '" . $SearchString . "'
ORDER BY stockmaster.stockid";
} else {
$SQL .= "AND stockmaster.description " . LIKE . " '" . $SearchString . "'
AND stockmaster.categoryid='" . $_POST['StockCat'] . "'
ORDER BY stockmaster.stockid";
}
} elseif (mb_strlen($_POST['StockCode'])>0){
$_POST['StockCode'] = mb_strtoupper($_POST['StockCode']);
$SearchString = '%' . $_POST['StockCode'] . '%';
if ($_POST['StockCat']=='All'){
$SQL .= "AND stockmaster.stockid " . LIKE . " '" . $SearchString . "'
ORDER BY stockmaster.stockid";
} else {
$SQL .= "AND stockmaster.stockid " . LIKE . " '" . $SearchString . "'
AND stockmaster.categoryid='" . $_POST['StockCat'] . "'
ORDER BY stockmaster.stockid";
}
} else {
if ($_POST['StockCat']=='All'){
$SQL .= "ORDER BY stockmaster.stockid";
} else {
$SQL .= "AND stockmaster.categoryid='" . $_POST['StockCat'] . "'
ORDER BY stockmaster.stockid";
}
}
if (isset($_POST['Next'])) {
$Offset = $_POST['NextList'];
}
if (isset($_POST['Previous'])) {
$Offset = $_POST['PreviousList'];
}
if (!isset($Offset) OR $Offset < 0) {
$Offset=0;
}
$SQL = $SQL . " LIMIT " . $_SESSION['DisplayRecordsMax'] . " OFFSET " . strval($_SESSION['DisplayRecordsMax'] * $Offset);
$ErrMsg = _('There is a problem selecting the part records to display because');
$DbgMsg = _('The SQL used to get the part selection was');
$SearchResult = DB_query($SQL,$ErrMsg, $DbgMsg);
if (DB_num_rows($SearchResult)==0 ){
prnMsg (_('There are no products available meeting the criteria specified'),'info');
}
if (DB_num_rows($SearchResult)==1){
$MyRow=DB_fetch_array($SearchResult);
$NewItem = $MyRow['stockid'];
DB_data_seek($SearchResult,0);
}
if (DB_num_rows($SearchResult) < $_SESSION['DisplayRecordsMax']){
$Offset=0;
}
} //end of if search
#Always do the stuff below if not looking for a customerid
echo '<form action="' . htmlspecialchars($_SERVER['PHP_SELF'], ENT_QUOTES, 'UTF-8') . '?identifier=' . urlencode($identifier) . '" id="SelectParts" method="post" enctype="multipart/form-data">';
echo '<div>';
echo '<input name="FormID" type="hidden" value="' . $_SESSION['FormID'] . '" />';
//Get The exchange rate used for GPPercent calculations on adding or amending items
if ($_SESSION['Items'.$identifier]->DefaultCurrency != $_SESSION['CompanyRecord']['currencydefault']){
$ExRateResult = DB_query("SELECT rate FROM currencies WHERE currabrev='" . $_SESSION['Items'.$identifier]->DefaultCurrency . "'");
if (DB_num_rows($ExRateResult)>0){
$ExRateRow = DB_fetch_row($ExRateResult);
$ExRate = $ExRateRow[0];
} else {
$ExRate =1;
}
} else {
$ExRate = 1;
}
/*Process Quick Entry */
/* If enter is pressed on the quick entry screen, the default button may be Recalculate */
if (isset($_POST['SelectingOrderItems'])
OR isset($_POST['QuickEntry'])
OR isset($_POST['Recalculate'])){
/* get the item details from the database and hold them in the cart object */
/*Discount can only be set later on -- after quick entry -- so default discount to 0 in the first place */
$Discount = 0;
$AlreadyWarnedAboutCredit = false;
$i=1;
while ($i<=$_SESSION['QuickEntries'] AND isset($_POST['part_' . $i]) AND $_POST['part_' . $i]!='') {
$QuickEntryCode = 'part_' . $i;
$QuickEntryQty = 'qty_' . $i;
$QuickEntryPOLine = 'poline_' . $i;
$QuickEntryItemDue = 'itemdue_' . $i;
$_POST[$QuickEntryItemDue] = ConvertSQLDate($_POST[$QuickEntryItemDue]);
$i++;
if (isset($_POST[$QuickEntryCode])) {
$NewItem = mb_strtoupper($_POST[$QuickEntryCode]);
}
if (isset($_POST[$QuickEntryQty])) {
$NewItemQty = filter_number_format($_POST[$QuickEntryQty]);
}
if (isset($_POST[$QuickEntryItemDue])) {
$NewItemDue = $_POST[$QuickEntryItemDue];
} else {
$NewItemDue = DateAdd (Date($_SESSION['DefaultDateFormat']),'d', $_SESSION['Items'.$identifier]->DeliveryDays);
}
if (isset($_POST[$QuickEntryPOLine])) {
$NewPOLine = $_POST[$QuickEntryPOLine];
} else {
$NewPOLine = 0;
}
if (!isset($NewItem)){
unset($NewItem);
break; /* break out of the loop if nothing in the quick entry fields*/
}
if(!Is_Date($NewItemDue)) {
prnMsg(_('An invalid date entry was made for ') . ' ' . $NewItem . ' ' . _('The date entry') . ' ' . $NewItemDue . ' ' . _('must be in the format') . ' ' . $_SESSION['DefaultDateFormat'],'warn');
//Attempt to default the due date to something sensible?
$NewItemDue = DateAdd (Date($_SESSION['DefaultDateFormat']),'d', $_SESSION['Items'.$identifier]->DeliveryDays);
}
/*Now figure out if the item is a kit set - the field MBFlag='K'*/
$SQL = "SELECT stockmaster.mbflag
FROM stockmaster
WHERE stockmaster.stockid='". $NewItem ."'";
$ErrMsg = _('Could not determine if the part being ordered was a kitset or not because');
$DbgMsg = _('The sql that was used to determine if the part being ordered was a kitset or not was ');
$KitResult = DB_query($SQL,$ErrMsg,$DbgMsg);
if (DB_num_rows($KitResult)==0){
prnMsg( _('The item code') . ' ' . $NewItem . ' ' . _('could not be retrieved from the database and has not been added to the order'),'warn');
} elseif ($MyRow=DB_fetch_array($KitResult)){
if ($MyRow['mbflag']=='K'){ /*It is a kit set item */
$SQL = "SELECT bom.component,
bom.quantity
FROM bom
WHERE bom.parent='" . $NewItem . "'
AND bom.effectiveafter <= '" . date('Y-m-d') . "'
AND bom.effectiveto > '" . date('Y-m-d') . "'";
$ErrMsg = _('Could not retrieve kitset components from the database because') . ' ';
$KitResult = DB_query($SQL,$ErrMsg,$DbgMsg);
$ParentQty = $NewItemQty;
while ($KitParts = DB_fetch_array($KitResult)){
$NewItem = $KitParts['component'];
$NewItemQty = $KitParts['quantity'] * $ParentQty;
$NewPOLine = 0;
include('includes/SelectOrderItems_IntoCart.inc');
}
} elseif ($MyRow['mbflag']=='G'){
prnMsg(_('Phantom assemblies cannot be sold, these items exist only as bills of materials used in other manufactured items. The following item has not been added to the order:') . ' ' . $NewItem, 'warn');
} else { /*Its not a kit set item*/
include('includes/SelectOrderItems_IntoCart.inc');
}
}
}
unset($NewItem);
} /* end of if quick entry */
if (isset($_POST['AssetDisposalEntered'])){ //its an asset being disposed of
if ($_POST['AssetToDisposeOf'] == 'NoAssetSelected'){ //don't do anything unless an asset is disposed of
prnMsg(_('No asset was selected to dispose of. No assets have been added to this customer order'),'warn');
} else { //need to add the asset to the order
/*First need to create a stock ID to hold the asset and record the sale - as only stock items can be sold
* and before that we need to add a disposal stock category - if not already created
* first off get the details about the asset being disposed of */
$AssetDetailsResult = DB_query("SELECT fixedassets.description,
fixedassets.longdescription,
fixedassets.barcode,
fixedassetcategories.costact,
fixedassets.cost-fixedassets.accumdepn AS nbv
FROM fixedassetcategories INNER JOIN fixedassets
ON fixedassetcategories.categoryid=fixedassets.assetcategoryid
WHERE fixedassets.assetid='" . $_POST['AssetToDisposeOf'] . "'");
$AssetRow = DB_fetch_array($AssetDetailsResult);
/* Check that the stock category for disposal "ASSETS" is defined already */
$AssetCategoryResult = DB_query("SELECT categoryid FROM stockcategory WHERE categoryid='ASSETS'");
if (DB_num_rows($AssetCategoryResult)==0){
/*Although asset GL posting will come from the asset category - we should set the GL codes to something sensible
* based on the category of the asset under review at the moment - this may well change for any other assets sold subsequentely */
/*OK now we can insert the stock category for this asset */
$InsertAssetStockCatResult = DB_query("INSERT INTO stockcategory ( categoryid,
categorydescription,
stockact)
VALUES ('ASSETS',
'" . _('Asset Disposals') . "',
'" . $AssetRow['costact'] . "')");
}
/*First check to see that it doesn't exist already assets are of the format "ASSET-" . $AssetID
*/
$TestAssetExistsAlreadyResult = DB_query("SELECT stockid
FROM stockmaster
WHERE stockid ='ASSET-" . $_POST['AssetToDisposeOf'] . "'");
$j=0;
while (DB_num_rows($TestAssetExistsAlreadyResult)==1) { //then it exists already ... bum
$j++;
$TestAssetExistsAlreadyResult = DB_query("SELECT stockid
FROM stockmaster
WHERE stockid ='ASSET-" . $_POST['AssetToDisposeOf'] . '-' . $j . "'");
}
if ($j>0){
$AssetStockID = 'ASSET-' . $_POST['AssetToDisposeOf'] . '-' . $j;
} else {
$AssetStockID = 'ASSET-' . $_POST['AssetToDisposeOf'];
}
if ($AssetRow['nbv']==0){
$NBV = 0.001; /* stock must have a cost to be invoiced if the flag is set so set to 0.001 */
} else {
$NBV = $AssetRow['nbv'];
}
/*OK now we can insert the item for this asset */