-
Notifications
You must be signed in to change notification settings - Fork 36
/
util.js
909 lines (884 loc) · 34.4 KB
/
util.js
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
'use strict';
import TYPE from '../../types/mcdev.d.js';
import MetadataDefinitions from './../MetadataTypeDefinitions.js';
import process from 'node:process';
import toposort from 'toposort';
import winston from 'winston';
import child_process from 'node:child_process';
import path from 'node:path';
// import just to resolve cyclical - TO DO consider if could move to file or context
import { readJsonSync } from 'fs-extra/esm';
import { fileURLToPath } from 'node:url';
const __dirname = path.dirname(fileURLToPath(import.meta.url));
/**
* Util that contains logger and simple util methods
*/
export const Util = {
authFileName: '.mcdev-auth.json',
boilerplateDirectory: '../../boilerplate',
configFileName: '.mcdevrc.json',
parentBuName: '_ParentBU_',
standardizedSplitChar: '/',
/** @type {TYPE.skipInteraction} */
skipInteraction: false,
packageJsonMcdev: readJsonSync(path.join(__dirname, '../../package.json')),
OPTIONS: {},
changedKeysMap: {},
/**
* helper that allows filtering an object by its keys
*
* @param {Object.<string,*>} originalObj object that you want to filter
* @param {string[]} [whitelistArr] positive filter. if not provided, returns originalObj without filter
* @returns {Object.<string,*>} filtered object that only contains keys you provided
*/
filterObjByKeys(originalObj, whitelistArr) {
if (!whitelistArr || !Array.isArray(whitelistArr)) {
return originalObj;
}
return Object.keys(originalObj)
.filter((key) => whitelistArr.includes(key))
.reduce((obj, key) => {
obj[key] = originalObj[key];
return obj;
}, {});
},
/**
* extended Array.includes method that allows check if an array-element starts with a certain string
*
* @param {string[]} arr your array of strigns
* @param {string} search the string you are looking for
* @returns {boolean} found / not found
*/
includesStartsWith(arr, search) {
return this.includesStartsWithIndex(arr, search) >= 0;
},
/**
* extended Array.includes method that allows check if an array-element starts with a certain string
*
* @param {string[]} arr your array of strigns
* @param {string} search the string you are looking for
* @returns {number} array index 0..n or -1 of not found
*/
includesStartsWithIndex(arr, search) {
return Array.isArray(arr) ? arr.findIndex((el) => el.startsWith(search)) : -1;
},
/**
* check if a market name exists in current mcdev config
*
* @param {string} market market localizations
* @param {TYPE.Mcdevrc} properties local mcdev config
* @returns {boolean} found market or not
*/
checkMarket(market, properties) {
if (properties.markets[market]) {
return true;
} else {
Util.logger.error(`Could not find the market '${market}' in your configuration file.`);
const marketArr = Object.values(properties.markets);
if (marketArr.length) {
Util.logger.info('Available markets are: ' + marketArr.join(', '));
}
return false;
}
},
/**
* ensure provided MarketList exists and it's content including markets and BUs checks out
*
* @param {string} mlName name of marketList
* @param {TYPE.Mcdevrc} properties General configuration to be used in retrieve
*/
verifyMarketList(mlName, properties) {
if (properties.marketList[mlName]) {
// ML exists, check if it is properly set up
// check if BUs in marketList are valid
let buCounter = 0;
for (const businessUnit in properties.marketList[mlName]) {
if (businessUnit !== 'description') {
buCounter++;
const [cred, bu] = businessUnit ? businessUnit.split('/') : [null, null];
if (
!properties.credentials[cred] ||
!properties.credentials[cred].businessUnits[bu]
) {
throw new Error(`'${businessUnit}' in Market ${mlName} is not defined.`);
}
// check if markets are valid
let marketArr = properties.marketList[mlName][businessUnit];
if ('string' === typeof marketArr) {
marketArr = [marketArr];
}
for (const market of marketArr) {
if (properties.markets[market]) {
// * markets can be empty or include variables. Nothing we can test here
} else {
throw new Error(`Market '${market}' is not defined.`);
}
}
}
}
if (!buCounter) {
throw new Error(`No BUs defined in marketList ${mlName}`);
}
} else {
// ML does not exist
throw new Error(`Market List ${mlName} is not defined`);
}
},
/**
* used to ensure the program tells surrounding software that an unrecoverable error occured
*
* @returns {void}
*/
signalFatalError() {
Util.logger.debug('Util.signalFataError() sets process.exitCode = 1 unless already set');
process.exitCode ||= 1;
},
/**
* SFMC accepts multiple true values for Boolean attributes for which we are checking here.
* The same problem occurs when evaluating boolean CLI flags
*
* @param {*} attrValue value
* @returns {boolean} attribute value == true ? true : false
*/
isTrue(attrValue) {
return ['true', 'TRUE', 'True', '1', 1, 'Y', 'y', true].includes(attrValue);
},
/**
* SFMC accepts multiple false values for Boolean attributes for which we are checking here.
* The same problem occurs when evaluating boolean CLI flags
*
* @param {*} attrValue value
* @returns {boolean} attribute value == false ? true : false
*/
isFalse(attrValue) {
return ['false', 'FALSE', 'False', '0', 0, 'N', 'n', false].includes(attrValue);
},
/**
* helper for Mcdev.retrieve, Mcdev.retrieveAsTemplate and Mcdev.deploy
*
* @param {TYPE.SupportedMetadataTypes} selectedType type or type-subtype
* @param {boolean} [handleOutside] if the API reponse is irregular this allows you to handle it outside of this generic method
* @returns {boolean} type ok or not
*/
_isValidType(selectedType, handleOutside) {
const [type, subType] = Util.getTypeAndSubType(selectedType);
if (type && !MetadataDefinitions[type]) {
if (!handleOutside) {
Util.logger.error(`:: '${type}' is not a valid metadata type`);
}
return false;
} else if (
type &&
subType &&
(!MetadataDefinitions[type] || !MetadataDefinitions[type].subTypes.includes(subType))
) {
if (!handleOutside) {
Util.logger.error(`:: '${selectedType}' is not a valid metadata type`);
}
return false;
}
return true;
},
/**
* helper that deals with extracting type and subtype
*
* @param {string} selectedType "type" or "type-subtype"
* @returns {string[]} first elem is type, second elem is subType
*/
getTypeAndSubType(selectedType) {
if (selectedType) {
const temp = selectedType.split('-');
const type = temp.shift(); // remove first item which is the main typ
const subType = temp.join('-'); // subType can include "-"
return [type, subType];
} else {
return [];
}
},
/**
* helper that validates email address
*
* @param {string} email email to validate
* @returns {boolean} first elem is type, second elem is subType
*/
emailValidator(email) {
const regex = new RegExp(
"^([!#-'*+/-9=?A-Z^-~-]+(.[!#-'*+/-9=?A-Z^-~-]+)*|\"([]!#-[^-~ \\t]|(\\[\\t -~]))+\")@([!#-'*+/-9=?A-Z^-~-]+(.[!#-'*+/-9=?A-Z^-~-]+)*|[[\\t -Z^-~]*])$"
);
return regex.test(email);
},
/**
* helper for getDefaultProperties()
*
* @returns {TYPE.SupportedMetadataTypes[]} type choices
*/
getRetrieveTypeChoices() {
const typeChoices = [];
for (const el in MetadataDefinitions) {
if (
Array.isArray(MetadataDefinitions[el].typeRetrieveByDefault) ||
MetadataDefinitions[el].typeRetrieveByDefault === true
) {
// complex types like assets are saved as array but to ease upgradability we
// save the main type only unless the user deviates from our pre-selection.
// Types that dont have subtypes set this field to true or false
typeChoices.push(MetadataDefinitions[el].type);
}
}
typeChoices.sort((a, b) => {
if (a.toLowerCase() < b.toLowerCase()) {
return -1;
}
if (a.toLowerCase() > b.toLowerCase()) {
return 1;
}
return 0;
});
return typeChoices;
},
/**
* wrapper around our standard winston logging to console and logfile
*
* @param {boolean} [noLogFile] optional flag to indicate if we should log to file; CLI logs are always on
* @returns {object} initiated logger for console and file
*/
_createNewLoggerTransport: function (noLogFile = false) {
// {
// error: 0,
// warn: 1,
// info: 2,
// http: 3,
// verbose: 4,
// debug: 5,
// silly: 6
// }
if (
process.env.VSCODE_AMD_ENTRYPOINT === 'vs/workbench/api/node/extensionHostProcess' ||
process.env.VSCODE_CRASH_REPORTER_PROCESS_TYPE === 'extensionHost'
) {
Util.OPTIONS.noLogColors = true;
}
const logFileName = new Date().toISOString().split(':').join('.');
const transports = {
console: new winston.transports.Console({
// Write logs to Console
level: Util.OPTIONS.loggerLevel || 'info',
format: winston.format.combine(
Util.OPTIONS.noLogColors
? winston.format.uncolorize()
: winston.format.colorize(),
winston.format.timestamp({ format: 'HH:mm:ss' }),
winston.format.simple(),
winston.format.printf(
(info) => `${info.timestamp} ${info.level}: ${info.message}`
)
),
}),
};
if (!noLogFile) {
transports.file = new winston.transports.File({
// Write logs to logfile
filename: 'logs/' + logFileName + '.log',
level: 'debug', // log everything
format: winston.format.combine(
winston.format.uncolorize(),
winston.format.timestamp({ format: 'HH:mm:ss.SSS' }),
winston.format.simple(),
winston.format.printf(
(info) => `${info.timestamp} ${info.level}: ${info.message}`
)
),
});
transports.fileError = new winston.transports.File({
// Write logs to additional error-logfile for better visibility of errors
filename: 'logs/' + logFileName + '-errors.log',
level: 'error', // only log errors
lazy: true, // if true, log files will be created on demand, not at the initialization time.
format: winston.format.combine(
winston.format.uncolorize(),
winston.format.timestamp({ format: 'HH:mm:ss.SSS' }),
winston.format.simple(),
winston.format.printf(
(info) => `${info.timestamp} ${info.level}: ${info.message}`
)
),
});
}
return transports;
},
loggerTransports: null,
/**
* Logger that creates timestamped log file in 'logs/' directory
*
* @type {TYPE.Logger}
*/
logger: null,
/**
* initiate winston logger
*
* @param {boolean} [restart] if true, logger will be restarted; otherwise, an existing logger will be used
* @param {boolean} [noLogFile] if false, logger will log to file; otherwise, only to console
* @returns {void}
*/
startLogger: function (restart = false, noLogFile = false) {
if (
!(
Util.loggerTransports === null ||
restart ||
(!Util.loggerTransports?.file && !noLogFile && !Util.OPTIONS?.noLogFile)
)
) {
// logger already started
return;
}
Util.loggerTransports = this._createNewLoggerTransport(
noLogFile || Util.OPTIONS?.noLogFile
);
const myWinston = winston.createLogger({
level: Util.OPTIONS.loggerLevel,
levels: winston.config.npm.levels,
transports: Object.values(Util.loggerTransports),
});
const winstonError = myWinston.error;
const winstonExtension = {
/**
* helper that prints better stack trace for errors
*
* @param {Error} ex the error
* @param {string} [message] optional custom message to be printed as error together with the exception's message
* @returns {void}
*/
errorStack: function (ex, message) {
if (message) {
// ! this method only sets exitCode=1 if message-param was set
// if not, then this method purely outputs debug information and should not change the exitCode
winstonError(message + ':');
winstonError(` ${ex.message} (${ex.code})`);
if (ex.endpoint) {
// ex.endpoint is only available if 'ex' is of type RestError
winstonError(' endpoint: ' + ex.endpoint);
}
Util.signalFatalError();
}
let stack;
/* eslint-disable unicorn/prefer-ternary */
if (
[
'ETIMEDOUT',
'EHOSTUNREACH',
'ENOTFOUND',
'ECONNRESET',
'ECONNABORTED',
].includes(ex.code)
) {
// the stack would just return a one-liner that does not help
stack = new Error().stack; // eslint-disable-line unicorn/error-message
} else {
stack = ex.stack;
}
/* eslint-enable unicorn/prefer-ternary */
myWinston.debug(stack);
},
/**
* errors should cause surrounding applications to take notice
* hence we overwrite the default error function here
*
* @param {string} msg - the message to log
* @returns {void}
*/
error: function (msg) {
winstonError(msg);
Util.signalFatalError();
},
};
Util.logger = Object.assign(myWinston, winstonExtension);
const processArgv = process.argv.slice(2);
Util.logger.debug(
`:: mcdev ${Util.packageJsonMcdev.version} :: ⚡ mcdev ${processArgv.join(' ')}`
);
},
/**
* Logger helper for Metadata functions
*
* @param {string} level of log (error, info, warn)
* @param {string} type of metadata being referenced
* @param {string} method name which log was called from
* @param {*} payload generic object which details the error
* @param {string} [source] key/id of metadata which relates to error
* @returns {void}
*/
metadataLogger: function (level, type, method, payload, source) {
let prependSource = '';
if (source) {
prependSource = source + ' - ';
}
if (payload instanceof Error) {
// extract error message
Util.logger[level](`${type}.${method}: ${prependSource}${payload.message}`);
} else if (typeof payload === 'string') {
// print out simple string
Util.logger[level](`${type} ${method}: ${prependSource}${payload}`);
} else {
// Print out JSON String as default.
Util.logger[level](`${type}.${method}: ${prependSource}${JSON.stringify(payload)}`);
}
},
/**
* replaces values in a JSON object string, based on a series of
* key-value pairs (obj)
*
* @param {string | object} str JSON object or its stringified version, which has values to be replaced
* @param {TYPE.TemplateMap} obj key value object which contains keys to be replaced and values to be replaced with
* @returns {string | object} replaced version of str
*/
replaceByObject: function (str, obj) {
let convertType = false;
if ('string' !== typeof str) {
convertType = true;
str = JSON.stringify(str);
}
// sort by value length
const sortable = [];
for (const key in obj) {
// only push in value if not null
if (obj[key]) {
sortable.push([key, obj[key]]);
}
}
sortable.sort((a, b) => b[1].length - a[1].length);
for (const pair of sortable) {
const escVal = pair[1].toString().replaceAll(/[-/\\^$*+?.()|[\]{}]/g, '\\$&');
const regString = new RegExp(escVal, 'g');
str = str.replace(regString, '{{{' + pair[0] + '}}}');
}
if (convertType) {
str = JSON.parse(str);
}
return str;
},
/**
* get key of an object based on the first matching value
*
* @param {object} objs object of objects to be searched
* @param {string} val value to be searched for
* @returns {string} key
*/
inverseGet: function (objs, val) {
for (const obj in objs) {
if (objs[obj] === val) {
return obj;
}
}
throw new Error(`${val} not found in object`);
},
/**
*helper for Mcdev.fixKeys. Retrieve dependent metadata
*
* @param {string} fixedType type of the metadata passed as a parameter to fixKeys function
* @returns {string[]} array of types that depend on the given type
*/
getDependentMetadata(fixedType) {
const dependencies = new Set();
for (const dependentType of Object.keys(MetadataDefinitions)) {
if (MetadataDefinitions[dependentType].dependencies.includes(fixedType)) {
// fixedType was found as a dependency of dependentType
dependencies.add(dependentType);
} else if (
MetadataDefinitions[dependentType].dependencies.some((dependency) =>
dependency.startsWith(fixedType + '-')
)
) {
// if MetadataTypeDefinitions[dependentType].dependencies start with type then also add dependentType to the set; use some to check if any of the dependencies start with type
dependencies.add(dependentType);
}
}
return [...dependencies];
},
/**
* Returns Order in which metadata needs to be retrieved/deployed
*
* @param {string[]} metadataTypes which should be retrieved/deployed
* @returns {Object.<string, string[]>} retrieve/deploy order as array
*/
getMetadataHierachy(metadataTypes) {
const dependencies = [];
// loop through all metadata types which are being retrieved/deployed
const subTypeDeps = {};
for (const metadataType of metadataTypes) {
const type = metadataType.split('-')[0];
// if they have dependencies then add a dependency pair for each type
if (MetadataDefinitions[type].dependencies.length > 0) {
dependencies.push(
...MetadataDefinitions[type].dependencies.map((dep) => {
if (dep.includes('-')) {
// log subtypes to be able to replace them if main type is also present
subTypeDeps[dep.split('-')[0]] =
subTypeDeps[dep.split('-')[0]] || new Set();
subTypeDeps[dep.split('-')[0]].add(dep);
}
return [dep, metadataType];
})
);
}
// if they have no dependencies then just add them with undefined.
else {
dependencies.push([undefined, metadataType]);
}
}
const allDeps = dependencies.map((dep) => dep[0]);
// remove subtypes if main type is in the list
for (const type of Object.keys(subTypeDeps)
// only look at subtype deps that are also supposed to be retrieved or cached fully
.filter((type) => metadataTypes.includes(type) || allDeps.includes(type))) {
// convert set into array to walk its elements
for (const subType of subTypeDeps[type]) {
for (const item of dependencies) {
if (item[0] === subType) {
// if subtype recognized, replace with main type
item[0] = type;
}
}
}
}
// sort list & remove the undefined dependencies
const flatList = toposort(dependencies).filter((a) => !!a);
const finalList = {};
// group subtypes per type
for (const type of flatList) {
if (type.includes('-')) {
const [key, subKey] = Util.getTypeAndSubType(type);
if (finalList[key] === null) {
// if main type is already required, then don't filter by subtypes
continue;
} else if (finalList[key] && subKey) {
// add another subtype to the set
finalList[key].add(subKey);
continue;
} else {
// create a new set with the first subtype; subKey will be always set here
finalList[key] = new Set([subKey]);
}
if (subTypeDeps[key]) {
// check if there are depndent subtypes that need to be added
const temp = [...subTypeDeps[key]].map((a) => {
const temp = a.split('-');
temp.shift(); // remove first item which is the main type
return temp.join('-'); // subType can include "-"
});
finalList[key].add(...temp);
}
} else {
finalList[type] = null;
}
}
// convert sets into arrays
for (const type of Object.keys(finalList)) {
if (finalList[type] instanceof Set) {
finalList[type] = [...finalList[type]];
}
}
return finalList;
},
/**
* let's you dynamically walk down an object and get a value
*
* @param {string} path 'fieldA.fieldB.fieldC'
* @param {object} obj some parent object
* @returns {any} value of obj.path
*/
resolveObjPath(path, obj) {
return path.split('.').reduce((prev, curr) => (prev ? prev[curr] : null), obj);
},
/**
* helper to run other commands as if run manually by user
*
* @param {string} cmd to be executed command
* @param {string[]} [args] list of arguments
* @param {boolean} [hideOutput] if true, output of command will be hidden from CLI
* @returns {string|void} output of command if hideOutput is true
*/
execSync(cmd, args, hideOutput) {
args ||= [];
Util.logger.info('⚡ ' + cmd + ' ' + args.join(' '));
try {
if (hideOutput) {
// no output displayed to user but instead returned to parsed elsewhere
return child_process
.execSync(cmd + ' ' + args.join(' '))
.toString()
.trim();
} else {
// the following options ensure the user sees the same output and
// interaction options as if the command was manually run
child_process.execSync(cmd + ' ' + args.join(' '), { stdio: [0, 1, 2] });
return null;
}
} catch {
// avoid errors from execSync to bubble up
return null;
}
},
/**
* standardize check to ensure only one result is returned from template search
*
* @param {TYPE.MetadataTypeItem[]} results array of metadata
* @param {string} keyToSearch the field which contains the searched value
* @param {string} searchValue the value which is being looked for
* @returns {TYPE.MetadataTypeItem} metadata to be used in building template
*/
templateSearchResult(results, keyToSearch, searchValue) {
const matching = results.filter((item) => item[keyToSearch] === searchValue);
if (matching.length === 0) {
throw new Error(`No metadata found with name "${searchValue}"`);
} else if (matching.length > 1) {
throw new Error(
`Multiple metadata with name "${searchValue}" please rename to be unique to avoid issues`
);
} else {
return matching[0];
}
},
/**
* configures what is displayed in the console
*
* @param {object} argv list of command line parameters given by user
* @param {boolean} [argv.silent] only errors printed to CLI
* @param {boolean} [argv.verbose] chatty user CLI output
* @param {boolean} [argv.debug] enables developer output & features
* @returns {void}
*/
setLoggingLevel(argv) {
if (argv.silent) {
// only errors printed to CLI
Util.OPTIONS.loggerLevel = 'error';
Util.logger.debug('CLI logger set to: silent');
} else if (argv.verbose) {
// chatty user cli logs
Util.OPTIONS.loggerLevel = 'verbose';
Util.logger.debug('CLI logger set to: verbose');
} else {
// default user cli logs
Util.OPTIONS.loggerLevel = 'info';
Util.logger.debug('CLI logger set to: info / default');
}
if (argv.debug) {
// enables developer output & features. no change to actual logs
Util.OPTIONS.loggerLevel = 'debug';
Util.logger.debug('CLI logger set to: debug');
}
if (Util.loggerTransports?.console) {
Util.loggerTransports.console.level = Util.OPTIONS.loggerLevel;
}
if (Util.logger) {
Util.logger.level = Util.OPTIONS.loggerLevel;
}
},
/**
* outputs a warning that the given type is still in beta
*
* @param {string} type api name of the type thats in beta
*/
logBeta(type) {
Util.logger.warn(
` - ${type} support is currently still in beta. Please report any issues here: https://github.com/Accenture/sfmc-devtools/issues/new/choose`
);
},
// defined colors for logging things in different colors
color: {
reset: '\x1B[0m',
dim: '\x1B[2m',
bright: '\x1B[1m',
underscore: '\x1B[4m',
blink: '\x1B[5m',
reverse: '\x1B[7m',
hidden: '\x1B[8m',
fgBlack: '\x1B[30m',
fgRed: '\x1B[31m',
fgGreen: '\x1B[32m',
fgYellow: '\x1B[33m',
fgBlue: '\x1B[34m',
fgMagenta: '\x1B[35m',
fgCyan: '\x1B[36m',
fgWhite: '\x1B[37m',
fgGray: '\x1B[90m',
bgBlack: '\x1B[40m',
bgRed: '\x1B[41m',
bgGreen: '\x1B[42m',
bgYellow: '\x1B[43m',
bgBlue: '\x1B[44m',
bgMagenta: '\x1B[45m',
bgCyan: '\x1B[46m',
bgWhite: '\x1B[47m',
bgGray: '\x1B[100m',
},
/**
* helper that wraps a message in the correct color codes to have them printed gray
*
* @param {string} msg log message that should be wrapped with color codes
* @returns {string} gray msg
*/
getGrayMsg(msg) {
return `${Util.color.dim}${msg}${Util.color.reset}`;
},
/**
* helper to print the subtypes we filtered by
*
* @param {string[]} subTypeArr list of subtypes to be printed
* @returns {void}
*/
logSubtypes(subTypeArr) {
if (subTypeArr && subTypeArr.length > 0) {
Util.logger.info(
Util.getGrayMsg(
` - Subtype${subTypeArr.length > 1 ? 's' : ''}: ${subTypeArr.join(', ')}`
)
);
}
},
/**
* helper to print the subtypes we filtered by
*
* @param {string[] | string} keyArr list of subtypes to be printed
* @param {boolean} [isId] optional flag to indicate if key is an id
* @returns {string} string to be appended to log message
*/
getKeysString(keyArr, isId) {
if (!keyArr) {
return '';
}
if (!Array.isArray(keyArr)) {
// if only one key, make it an array
keyArr = [keyArr];
}
if (keyArr.length > 0) {
return Util.getGrayMsg(
` - ${isId ? 'ID' : 'Key'}${keyArr.length > 1 ? 's' : ''}: ${keyArr.join(', ')}`
);
}
return '';
},
/**
* pause execution of code; useful when multiple server calls are dependent on each other and might not be executed right away
*
* @param {number} ms time in miliseconds to wait
* @returns {Promise.<void>} - promise to wait for
*/
async sleep(ms) {
return new Promise((resolve) => {
setTimeout(resolve, ms);
});
},
/**
* helper for Asset.extractCode and Script.prepExtractedCode to determine if a code block is a valid SSJS block
*
* @example the following is invalid:
* <script runat="server">
* // 1
* </script>
* <script runat="server">
* // 2
* </script>
*
* the following is valid:
* <script runat="server">
* // 3
* </script>
* @param {string} code code block to check
* @returns {string} the SSJS code if code block is a valid SSJS block, otherwise null
*/
getSsjs(code) {
if (!code) {
return null;
}
// \s* whitespace characters, zero or more times
// [^>]*? any character that is not a >, zero or more times, un-greedily
// (.*) capture any character, zero or more times
// /ms multiline and dotall flags
// ideally the code looks like <script runat="server">...</script>
const scriptRegex = /^<\s*script [^>]*?>(.*)<\/\s*script\s*>$/ms;
code = code.trim();
const regexMatches = scriptRegex.exec(code);
if (regexMatches?.length > 1) {
// script found
/* eslint-disable unicorn/prefer-ternary */
if (regexMatches[1].includes('<script')) {
// nested script found
return null;
} else {
// no nested script found
return regexMatches[1];
}
/* eslint-enable unicorn/prefer-ternary */
}
// no script found
return null;
},
/**
* allows us to filter just like with SQL's LIKE operator
*
* @param {string} testString field value to test
* @param {string} search search string in SQL LIKE format
* @returns {boolean} true if testString matches search
*/
stringLike(testString, search) {
if (typeof search !== 'string' || this === null) {
return false;
}
// Remove special chars
search = search.replaceAll(
new RegExp('([\\.\\\\\\+\\*\\?\\[\\^\\]\\$\\(\\)\\{\\}\\=\\!\\<\\>\\|\\:\\-])', 'g'),
'\\$1'
);
// Replace % and _ with equivalent regex
search = search.replaceAll('%', '.*').replaceAll('_', '.');
// Check matches
return new RegExp('^' + search + '$', 'gi').test(testString);
},
/**
* returns true if no LIKE filter is defined or if all filters match
*
* @param {TYPE.MetadataTypeItem} metadata a single metadata item
* @param {object} [filters] only used in recursive calls
* @returns {boolean} true if no LIKE filter is defined or if all filters match
*/
fieldsLike(metadata, filters) {
if (metadata.json && metadata.codeArr) {
// Compensate for CodeExtractItem format
metadata = metadata.json;
}
filters ||= Util.OPTIONS.like;
if (!filters) {
return true;
}
const fields = Object.keys(filters);
return fields.every((field) => {
// to allow passing in an array via cli, e.g. --like=field1,field2, we need to convert comma separated lists into arrays
const filter =
typeof filters[field] === 'string' && filters[field].includes(',')
? filters[field].split(',')
: filters[field];
if (Array.isArray(metadata[field])) {
return metadata[field].some((f) => Util.fieldsLike(f, filter));
} else {
if (typeof filter === 'string') {
return Util.stringLike(metadata[field], filter);
} else if (Array.isArray(filter)) {
return filter.some((f) => Util.stringLike(metadata[field], f));
} else if (typeof filter === 'object') {
return Util.fieldsLike(metadata[field], filter);
}
}
return false;
});
},
/**
* helper used by SOAP methods to ensure the type always uses an upper-cased first letter
*
* @param {string} str string to capitalize
* @returns {string} str with first letter capitalized
*/
capitalizeFirstLetter(str) {
return str.charAt(0).toUpperCase() + str.slice(1);
},
};
Util.startLogger(false, true);