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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
| public static container list2Con (List _list)
{
container con;
ListEnumerator listEnum;
listEnum = _list.getEnumerator();
while (listEnum.moveNext())
{
con += listEnum.current();
}
return con;
}
///Creates a file named _file with the content specified in _content parameter.
//See the class SysImportUtil class for file related functions like get temfolder,tempfilename..etc.
public static void createFile(str _file, str _content)
{
#File
TextIo file = null;
;
new FileIOPermission(_file, #io_write).assert();
// BP Deviation Documented
file = new TextIo(_file, #io_write);
file.write(_content);
file.finalize();
}
///Creates an XML file named _file with the content specified in _content parameter. If the XML file
///can't be created then it will try to create a normal file by calling createFile method.
public static void createXmlFile(str _file, str _content)
{
#File
XmlDocument document = null;
;
try
{
document = XmlDocument::newXml(_content, false);
new FileIOPermission(_file, #io_write).assert();
// BP Deviation Documented
document.save(_file);
}
catch
{
SysImportUtil::createFile(_file, _content);
}
}
///Reads an XML file specified by _file parameter.
public static str readXmlFile(str _file)
{
#File
XmlDocument file = null;
;
try
{
new FileIOPermission(_file, #io_read).assert();
// BP Deviation Documented
file = XmlDocument::newFile(_file);
return file.xml();
}
catch
{
return '';
}
}
/// <summary>
/// Opens Bing maps with the address.
/// </summary>
/// <param name="_address">
/// The address to map.
/// </param>
public static void mapIt(LogisticsPostalAddress _address)
{
#DEFINE.MapURL('http://maps.bing.com/default.aspx?where1=\%1')
#DEFINE.comma(',')
#DEFINE.newLine('\n')
str address;
;
if (_address)
{
address = _address.Street + #comma +
_address.City + #comma +
_address.State + #comma +
_address.ZipCode + #comma +
_address.CountryRegionId;
// Replace the newline with comma
address = strReplace(address, #newline, #comma);
// URL encode
address = System.Web.HttpUtility::UrlEncode(address);
// Add the address to the URL
infolog.urlLookup(strFmt(#MapURL, address));
}
}
/// <summary>
/// Function to get the list of Tables in AOT
/// </summary>
/// <returns>
/// In case the table is derived its parent i.e. base table is appended to it delimited by comma (,)
/// Output example
/// :Table1,Table1's Base Table : Table2 : Table3 : Table4 , Table4's Base Table
/// </returns>
static str getAOTTables()
{
TreeNode node;
TreeNode childNode;
TreeNodeIterator nodeIt;
FilePath path;
TableId tableId;
Dictionary dict = new Dictionary();
str parentName;
str fieldArr;
path = @'\Data dictionary\Tables';
node = TreeNode::findNode(path);
nodeIt = node.AOTiterator();
childNode = nodeIt.next();
fieldArr ='';
while(childNode)
{
tableId = tableName2id(childNode.treeNodeName());
if ( !dict.tableObject(tableId).isTmp() && !dict.tableObject(tableId).isMap() && !dict.tableObject(tableId).isView())
{
parentName = RetailUtils::getAOTTableParentName(tableId);
if (parentName)
{
//Creating formated output , refer explaination and example on header
fieldArr = fieldArr + ':' + strUpr(childNode.treeNodeName()) + "," + strUpr(parentName);
}
else
{
fieldArr = fieldArr + ':' + strUpr(childNode.treeNodeName());
}
}
childNode = nodeIt.next();
}
return fieldArr;
}
/// <summary>
/// This method receives a table id and find the corresponding Base Table from AOT
/// This method takes care of Multilevel inheritence
/// </summary>
/// <param name="tableid">
/// tableid of derived table.
/// </param>
/// <returns>
/// Name of parent table.
/// </returns>
static str getAOTTableParentName(TableId tableid)
{
Dictionary dict = new Dictionary();
TableId parentId, temp;
str result;
parentId = dict.tableObject(tableid).extends();
// Loop until reached to the table for whcih Extends property is not defined
while (parentId)
{
temp = dict.tableObject(parentId).extends();
if (temp)
{
parentId = temp;
}
else
{
break;
}
}
if (parentId)
{
result = tableId2name(parentId);
}
else
{
result = '';
}
return result;
}
/// <summary>
/// Function to accepts a table name and returns all its field
/// </summary>
/// <param name="tableName">
/// Table name for which field are to be retreived.
/// </param>
/// <returns>
/// Field are arranged in a : delimited string and passed back
/// Fields are read from AOT structure and defaults field are manually added
/// as those are not present in the tree structure
/// Example = :Field1:Field2:Field3:Field4
/// </returns>
static str getAOTTableFields(str tableName)
{
TreeNode node;
TreeNode childNode;
TreeNodeIterator nodeIt;
FilePath path;
TableId tableId;
str fieldArr;
Dictionary dict = new Dictionary();
fieldArr = '';
if (!tableName)
{
return fieldArr;
}
// Construct the path till table fields node
path = @'\Data dictionary\Tables\\' + tableName + '\\Fields' ;
node = TreeNode::findNode(path);
nodeIt = node.AOTiterator();
childNode = nodeIt.next();
while(childNode)
{
fieldArr = fieldArr + ':' + strUpr(childNode.treeNodeName());
childNode = nodeIt.next();
}
tableId = tableName2id(tableName);
if (dict.tableObject(tableId).dataPrCompany())
{
//Append the default Fields
fieldArr = fieldArr + ':' + 'DATAAREAID';
}
if (dict.tableObject(tableId).dataPerPartition())
{
fieldArr = fieldArr + ':' + 'PARTITION';
}
return fieldArr;
}
// get enum values to container
static void Enum2container(Args _args)
{
int i = 0;
DictEnum dimCode;
container ret;
;
dimCode = new DictEnum(enumnum(SysDimension));
while(i < dimCode.values())
{
ret += dimCode.index2Name(i);
i++;
}
info(strfmt("%1",con2Str(ret)));
}
public static boolean checkDateIsInPeriod(TransDate _transDate,
PeriodCode _periodCode = PeriodCode::Regular)
{
return BudgetTransactionManager::validateTransactionDate(_transDate);
}
// New method for returning ledgerperiod last date
static transDate findLastOpenPeriod(transdate _ledgerTransDate)
{
FiscalCalendarRecId fiscalCalendarRecId;
fiscalCalendarRecId = Ledger::fiscalCalendar(CompanyInfo::find().RecId);
return FiscalCalendars::findLastDayofPeriod( fiscalCalendarRecId, _ledgerTransDate);
}
// New method for returning first open ledgerperiod first date
static transDate findFirstOpenPeriod(transdate _ledgerTransDate)
{
FiscalCalendarRecId fiscalCalendarRecId;
fiscalCalendarRecId = Ledger::fiscalCalendar(CompanyInfo::find().RecId);
return FiscalCalendars::findFirstDayofPeriod( fiscalCalendarRecId, _ledgerTransDate);
}
//Calculate Hash for the string.
public static str CalculateHash(str tb)
{
str s;
ClrObject obj;
ClrObject md5;
System.Text.StringBuilder sBuilder;
ClrObject clrStr;
ClrObject clrStrObject;
System.Exception clrException;
System.Array resultByteArray;
int i;
int arrayLength ;
InteropPermission perm;
perm = new InteropPermission(InteropKind::ClrInterop);
perm.assert();
try
{
obj = System.Text.Encoding::get_ASCII().GetBytes(tb);
md5 = System.Security.Cryptography.MD5::Create();
resultByteArray = md5.ComputeHash(obj);
//BP deviation documented
sBuilder = new System.Text.StringBuilder();
arrayLength = resultByteArray.get_Length() ;
// Loop through each byte of the hashed data
// and format each one as a hexadecimal string.
for (i = 0; i <arrayLength; i++)
{
clrStrObject = resultByteArray.GetValue(i);
clrStr = clrStrObject.ToString('x2');
sBuilder.Append(clrStr);
}
// Return the hexadecimal string.
s = sBuilder.ToString();
}
catch (Exception::CLRError)
{
//BP deviation documented
clrException = CLRInterop::getLastException();
s = clrException.get_Message();
error(s);
throw error("@SYS106158");
}
CodeAccessPermission::revertAssert();
return s;
}
//Transforms xml to another format of xml using xslt.
public static str transform(str aifXml, str xsltResourceName)
{
#define.XsltArgumentList("System.Xml.Xsl.XsltArgumentList")
#AOT
ResourceNode resourceNode;
TreeNode resourcesNode;
container data;
str xsltString;
str doXml;
System.Xml.Xsl.XslCompiledTransform transform;
System.Text.StringBuilder stringBuilder;
System.IO.StringWriter stringWriter;
System.IO.StringReader stringReader;
System.Xml.XmlTextReader xmlTextReader;
System.IO.StringReader stringReaderForXslt;
System.Xml.XmlTextReader xmlTextReaderForXslt;
System.Xml.Xsl.XsltArgumentList xsltArguments;
System.IDisposable disposableObj;
;
// Get the top Resource node in the AOT
resourcesNode = infolog.findNode(#ResourcesPath);
if (resourcesNode)
{
// Get the XML string holding the data from the resource item
resourceNode = resourcesNode.AOTfindChild(xsltResourceName);
if (resourceNode)
{
resourceNode.AOTload();
data = SysResource::getResourceNodeData(resourceNode);
xsltString = conpeek(data, 1);
}
}
try
{
//Local XSLT
transform = new System.Xml.Xsl.XslCompiledTransform();
stringReaderForXslt = new System.IO.StringReader(xsltString);
xmlTextReaderForXslt = new System.Xml.XmlTextReader(stringReaderForXslt);
transform.Load(xmlTextReaderForXslt);
//Transform the input AIF XML
stringReader = new System.IO.StringReader(aifXml);
xmlTextReader = new System.Xml.XmlTextReader(stringReader);
stringBuilder = new System.Text.StringBuilder();
stringWriter = new System.IO.StringWriter(stringBuilder);
xsltArguments = ClrInterop::Null(#XsltArgumentList);
transform.Transform(xmlTextReader, xsltArguments, stringWriter);
doXml = stringBuilder.ToString();
}
catch (Exception::CLRError)
{
throw Global::error(ClrInterop::getLastException().toString());
}
if (!ClrInterop::isNull(xmlTextReaderForXslt))
{
disposableObj = xmlTextReaderForXslt;
disposableObj.Dispose();
}
if (!ClrInterop::isNull(stringReaderForXslt))
{
disposableObj = stringReaderForXslt;
disposableObj.Dispose();
}
if (!ClrInterop::isNull(xmlTextReader))
{
disposableObj = xmlTextReader;
disposableObj.Dispose();
}
if (!ClrInterop::isNull(stringReader))
{
disposableObj = stringReader;
disposableObj.Dispose();
}
if (!ClrInterop::isNull(stringWriter))
{
disposableObj = stringWriter;
disposableObj.Dispose();
}
return doXml;
}
//Converts from string to Time.
static int str2Time(str 8 _timeStr)
{
int time;
;
time += str2int(substr(_timeStr,0,2)) * 3600;
time += str2int(substr(_timeStr,4,2)) * 60;
time += str2int(substr(_timeStr,7,2));
return time;
}
//This function is used to get xml string from xml file.
static public str getXMLstringFromFile(str _filepath)
{
str xmlstring='';
XmlDocument document=new XmlDocument();
document.load(_filepath);
xmlstring=document.innerXml();
return xmlstring;
}
// this function is used to convert string to array.
public static Array str2array(str _inputString, str _delimiter = '","')
{
List list = AmcBankFunctions::strSplit(_inputString, _delimiter);
ListEnumerator enumerator = list.getEnumerator();
Array a = new Array(Types::String);
int i = 1;
str tmpString;
;
if (strLen(_inputString) == 0 || strScan(_inputString, _delimiter, 1, strLen(_inputString)) == 0)
return a; // this is not a XTL record
enumerator.reset();
while (enumerator.moveNext())
{
tmpString = enumerator.current();
// Removes first substring's preceding " and last substring's succeeding "
if (strLen(tmpString) > 0)
{
if (i == 1 && tmpString)
tmpString = subStr(tmpString, 2, strLen(tmpString));
if (i == list.elements())
tmpString = subStr(tmpString, 1, strLen(tmpString)-1);
}
a.value(i, tmpString);
i++;
}
return a;
}
/// <summary>
/// Prefixes a string with a parameter provided character
/// </summary>
/// <param name="inputString">
/// The integer that is to be converted into a string
/// </param>
/// <param name="outputStringLength">
/// The length of the final string being returned
/// </param>
/// <param name="prefixWithChar">
/// The character which to prefix the output string with
/// </param>
/// <returns>
/// The converted integer as a string with the parameter provided length (possible prefixed with provided
char)
/// </returns>
public static str prefixString(str inputString, int outputStringLength, str 1 prefixWithChar)
{
str outputString = inputString;
if (prefixWithChar == '')
return outputString;
while (strLen(outputString) < outputStringLength)
{
outputString = prefixWithChar + outputString;
}
return outputString;
}
// to test that we have access right for the the file or folder.
public static client IO_Status writeFileAndClose(Filename filename)
{
TextIo textIo;
;
new FileIOPermission(filename,'rw').assert();
textIo = new TextIo(filename,'w');
if (textIo!=null)
textIo.write('This is a test file for checking the access rights');
CodeAccessPermission::revertAssert();
if (textIo!=null)
return textIo.status();
return IO_Status::WriteError;
}
// send email using smtp
//Please change the parameters accordingly for your client
public static boolean emailSmtpSend(str _receiver,
str _subject,
str _body,
Filename _attachment = '')
{
AmcBankParameters amcBankParameters;
System.Net.Mail.Attachment attachment;
System.Net.Mail.AttachmentCollection attachmentCollection;
System.Net.Mail.MailAddress mailFrom;
System.Net.Mail.MailAddress mailTo;
System.Net.Mail.MailMessage mailMessage;
System.Net.Mail.SmtpClient smtpClient;
;
if (!_receiver)
return checkFailed("@ABA32081");
amcBankParameters = AmcBankParameters::find();
try
{
mailFrom = new System.Net.Mail.MailAddress(amcBankParameters.SmtpSenderAddress);
mailTo = new System.Net.Mail.MailAddress(_receiver);
mailMessage = new System.Net.Mail.MailMessage(mailFrom, mailTo);
mailmessage.set_Subject(_subject);
mailmessage.set_Body(_body);
// Adding attachment
if (_attachment)
{
attachment = new System.Net.Mail.Attachment(_attachment);
attachmentCollection = mailMessage.get_Attachments();
attachmentCollection.Add(attachment);
}
smtpClient = new System.Net.Mail.SmtpClient(amcBankParameters.SmtpServerName,
amcBankParameters.SmtpPortNumber);
smtpClient.Send(mailmessage);
info(strFmt("@SYS80635", _receiver));
attachmentCollection.Dispose(); // Releases attachement resources (files)
}
catch (Exception::CLRError)
{
// If a CLR exception occurs it is important that the exceptions is shown (which it is not per default)
error(CLRInterop::getLastException());
attachmentCollection.Dispose(); // Releases attachement resources (files)
return checkFailed(strFmt("@ABA32082", _receiver));
}
catch
{
attachmentCollection.Dispose(); // Releases attachement resources (files)
return checkFailed(strFmt("@ABA32082", _receiver));
}
return true;
}
// archive the files.
public static void fileArchive(Filename _file, FilePath _archivePath)
{
Filename filenameArchive;
InteropPermission interopPermission = new InteropPermission(InteropKind::ClrInterop);
Set interopPermissionSet = new Set(Types::Class);
;
if (!_archivePath)
return;
// Granting file permission rights
interopPermissionSet.add(interopPermission);
CodeAccessPermission::assertMultiple(interopPermissionSet);
filenameArchive = _archivePath + AmcBankFile::getFileNameAndExtension(_file);
System.IO.File::Delete(filenameArchive);
System.IO.File::Move(_file, filenameArchive);
// Reverting file permission rights
CodeAccessPermission::revertAssert();
}
// getting the filename and extesion in container.
public static Filename getFileNameAndExtension(Filename _filename)
{
;
if (!_filename)
return '';
return strFmt('%1%2', conPeek(Global::fileNameSplit(_filename), 2), // Filename
conPeek(Global::fileNameSplit(_filename), 3)); // File extension (including
prefixed dot (.))
}
//FolderExists
public static boolean folderExists(FilePath _directory)
{
boolean dirExists;
InteropPermission interopPermission = new InteropPermission(InteropKind::ClrInterop);
Set interopPermissionSet = new Set(Types::Class);
;
// Granting file permission rights
interopPermissionSet.add(interopPermission);
CodeAccessPermission::assertMultiple(interopPermissionSet);
dirExists = System.IO.Directory::Exists(_directory);
// Reverting file permission rights
CodeAccessPermission::revertAssert();
return dirExists;
}
/// <summary>
/// internal use only.
/// </summary>
/// <param name="text">
/// A String value.
/// </param>
/// <returns>
/// A String value.
/// </returns>
private str trimLeadingTabs(str text)
{
int len = strlen(text);
int start = 1;
while ((start <= len) && (substr(text, start, 1) == '\t'))
start++;
text = substr(text, start, len - start + 1);
return text;
}
/// <summary>
/// internal use only.
/// </summary>
/// <returns>
/// A String value.
/// </returns>
public static str getClrErrorMessage()
{
#File
str exceptionMessage;
System.Exception exObject, innerException;
;
new InteropPermission(InteropKind::ClrInterop).assert();
// BP deviation documented
exObject = CLRInterop::getLastException();
if(exObject)
{
// We will ignore the first message since it is always a fixed message of
// "Exception has been thrown from target of invocation", this is from the reflection API being used
// "ClrObject could not be created." - This is also of no use in most cases
innerException = exObject.get_InnerException();
while(innerException)
{
// BP deviation documented
exceptionMessage = exceptionMessage + #delimiterSpace + CLRInterop::getAnyTypeForObject
(innerException.get_Message());
innerException = innerException.get_InnerException();
}
}
CodeAccessPermission::revertAssert();
return exceptionMessage;
}
//Parse date from string
public static date parseDate(str dateText)
{
str dateTimeText;
ClrObject dateTimeObject;
utcdatetime dateTimeValue;
date dateValue;
dateTimeText = strFmt('%1T00:00:00Z', dateText);
// BP Deviation Documented
dateTimeObject = Microsoft.Dynamics.IntegrationFramework.Util::ParseXmlDateTime(dateTimeText, false);
// If the returned object is null, then deserialization failed
if (CLRInterop::isNull(dateTimeObject))
{
throw error(strfmt("@SYS112380", dateText, enum2str(Types::Date)));
}
dateTimeValue = CLRInterop::getAnyTypeForObject(dateTimeObject);
// If the utcdatetime value is null, then the value is outside the valid range
// unless the input was a null datetime
if (dateTimeValue == utcDateTimeNull() && !AifUtil::isNullDateTime(dateTimeObject))
{
throw error(strfmt("@SYS112380", dateText, enum2str(Types::Date)));
}
dateValue = DateTimeUtil::date(dateTimeValue);
return dateValue;
}
//Parse DateTime from string
public static utcdatetime parseDateTime(str dateTimeText, System.DateTimeKind expectedDateTimeKind)
{
ClrObject dateTimeObject;
utcdatetime dateTimeValue;
System.DateTime systemDateTimeValue;
// BP Deviation Documented
dateTimeObject = Microsoft.Dynamics.IntegrationFramework.Util::ParseXmlDateTime(dateTimeText, false);
// If the returned object is null, then deserialization failed
if (CLRInterop::isNull(dateTimeObject))
{
throw error(strfmt("@SYS112380", dateTimeText, enum2str(Types::UtcDateTime)));
}
dateTimeValue = CLRInterop::getAnyTypeForObject(dateTimeObject);
// If the utcdatetime value is null, then the value is outside the valid range
// unless the input was a null datetime
if (dateTimeValue == utcDateTimeNull() && !AifUtil::isNullDateTime(dateTimeObject))
{
throw error(strfmt("@SYS112380", dateTimeText, enum2str(Types::UtcDateTime)));
}
// If the value is of unexpected kind, throw an error.
systemDateTimeValue = dateTimeObject;
if (systemDateTimeValue.get_Kind() != expectedDateTimeKind)
{
throw error(strfmt("@SYS112380", dateTimeText, enum2str(Types::UtcDateTime)));
}
return dateTimeValue;
}
// get the sequence number for the dateformat.
public static int getSequenceForDateFormat( DateFormat _dateFormat)
{
;
switch (_dateFormat)
{
case DateFormat::YMD:
return 321;
case DateFormat::DMY:
return 123;
case DateFormat::DYM:
return 132;
case DateFormat::MDY:
return 213;
case DateFormat::MYD:
return 231;
case DateFormat::YDM:
return 312;
default:
return 123;
}
}
// returns time from str.
static int str2Time(str 8 _timeStr)
{
int time;
;
time += str2int(substr(_timeStr,0,2)) * 3600;
time += str2int(substr(_timeStr,4,2)) * 60;
time += str2int(substr(_timeStr,7,2));
return time;
}
// <CostCenter:Department> _dimaatributesString,
// <1010:MBS> dimValueString
public static RecId generateDefaultDimension(Str _dimValueString,
str _dimaatributesString,
str _delimeter)
{
container dimAttributeList,
dimValueList;
int j;
RecId defDimRecId;
DimensionAttributeValueSetStorage storage;
if (_dimaatributesString && _dimValueString)
{
dimAttributeList = str2con(_sourceProperties, _delimeter,false);
dimValueList = str2con(_dimValueString, _delimeter,false);
if(!dimValueList)
{
throw error(strFmt("This dimvalue string was not available"));
}
storage = new DimensionAttributeValueSetStorage();
for (j=1;j<=conLen(dimValueList);j++)
{
if(conPeek(dimValueList,j))
{
DMFDimensionHelper::dynamicDimensionCreation(dimAttributeList, dimValueList, j);
storage.addItem(DimensionAttributeValue::findByDimensionAttributeAndValue(DimensionAttribute::findByName(conPeek(dimAttributeList,j)), conPeek(dimValueList,j), false, true));
}
}
defDimRecId = storage.save();
}
return defDimRecId;
}
//Generate the Dimension String from default dimension
// <CostCenter:Department> dimAttributeString
// <1010:MBS> dimValueString
public static str generateDefaultDimensionStr(RefRecId _defaultDimension,str _dimattrString,
str _delimeter)
{
DMFDefaultDimensionStr defaultDimensionStr;
DimensionAttributeValueSetItem setItem;
DimensionAttributeValue dimAttrValue;
DimensionAttribute dimAttr;
container con;
Int i;
DimensionValue displayValue;
con = str2con(_dimattrString,_delimeter,false);
if (_dimattrString && _defaultDimension)
{
for( i = 1; i <= conLen(con); i ++)
{
displayValue = conPeek(con,i);
select RecId, DisplayValue from setItem where setItem.DimensionAttributeValueSet == _defaultDimension
join RecId from dimAttrValue where
dimAttrValue.RecId == setItem.DimensionAttributeValue &&
dimAttrValue.IsDeleted == false
join RecId from dimAttr
where dimAttr.RecId == dimAttrValue.DimensionAttribute
&& dimAttr.Name == displayValue;
if (defaultDimensionStr)
{
defaultDimensionStr += _delimeter;
}
defaultDimensionStr += setItem.DisplayValue;
}
}
return defaultDimensionStr;
}
static int strLineCount(str freeTxt)
{
int start = 1;
int end;
int length;
int lines = 0;
length=strLen(freeTxt);
end = strScan(freeTxt, '\n', start, length);
while (start)
{
lines+=1;
if (end)
{
start=end+1;
end = strScan(freeTxt, '\n', start, length);
}
else
start=0;
}
if (!lines)
lines=1;
return lines;
}
/// <summary>
/// Determines whether the specified string is a date time string.
/// </summary>
/// <param name="_value">
/// The string to check.
/// </param>
/// <returns>
/// true if it is date time; otherwise, false.
/// </returns>
/// <remarks>
/// Input can have a format like "5/7/2010 12:00:00 AM" or "2010-05-07T00:00:00”. Both cases will be
/// handled.
/// </remarks>
public static boolean isDateTimeStr(str _value)
{
boolean isDateTime;
System.Text.RegularExpressions.Regex regex;
System.Text.RegularExpressions.Match regexMatch;
#define.MatchTimeRegex(@"[\sT]\d{1,2}:\d{1,2}:\d{1,2}")
#define.ISODateTimeIdentifier("T")
#define.ZeroTime("00:00:00")
#define.DefaultLCID(1033)
// check if in ISO format.
isDateTime = strFind(_value, #ISODateTimeIdentifier, 0, strLen(_value)) > 0;
if(!isDateTime)
{
// search for a time on the value
// BP deviation documented
regex = new System.Text.RegularExpressions.Regex(#MatchTimeRegex);
// BP deviation documented
regexMatch = regex.Match(_value);
isDateTime = regexMatch.get_Success();
}
return isDateTime;
}
//Swapping the key value from map
/// <summary>
/// Creates a <c>Map</c> class with the value and key swapped.
/// </summary>
/// <param name="_key2ValueMap">
/// Map that has the keys and values swapped.
/// </param>
/// <returns>
/// A map that has the value switched with the keys.
/// </returns>
public static Map getValue2KeyMap(Map _key2ValueMap)
{
// reverses the valid values map. The original map contains <key, label>, we will create a <label, key>
Map value2KeyMap;
MapEnumerator mapEnum;
if(_key2ValueMap)
{
value2KeyMap = new Map(_key2ValueMap.valueType(), _key2ValueMap.keyType());
mapEnum = _key2ValueMap.getEnumerator();
while(mapEnum.moveNext())
{
value2KeyMap.insert(mapEnum.currentValue(), mapEnum.currentKey());
}
}
return value2KeyMap;
}
|