-
Notifications
You must be signed in to change notification settings - Fork 36
/
Folder.js
663 lines (635 loc) · 29.5 KB
/
Folder.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
'use strict';
import MetadataType from './MetadataType.js';
import toposort from 'toposort';
import { Util } from '../util/util.js';
import File from '../util/file.js';
import cache from '../util/cache.js';
/**
* @typedef {import('../../types/mcdev.d.js').BuObject} BuObject
* @typedef {import('../../types/mcdev.d.js').CodeExtract} CodeExtract
* @typedef {import('../../types/mcdev.d.js').CodeExtractItem} CodeExtractItem
* @typedef {import('../../types/mcdev.d.js').MetadataTypeItem} MetadataTypeItem
* @typedef {import('../../types/mcdev.d.js').MetadataTypeItemDiff} MetadataTypeItemDiff
* @typedef {import('../../types/mcdev.d.js').MetadataTypeItemObj} MetadataTypeItemObj
* @typedef {import('../../types/mcdev.d.js').MetadataTypeMap} MetadataTypeMap
* @typedef {import('../../types/mcdev.d.js').MetadataTypeMapObj} MetadataTypeMapObj
* @typedef {import('../../types/mcdev.d.js').SoapRequestParams} SoapRequestParams
* @typedef {import('../../types/mcdev.d.js').TemplateMap} TemplateMap
*/
/**
* Folder MetadataType
*
* @augments MetadataType
*/
class Folder extends MetadataType {
/**
* Retrieves metadata of metadata type into local filesystem. executes callback with retrieved metadata
*
* @param {string} retrieveDir Directory where retrieved metadata directory will be saved
* @param {string[]} [additionalFields] Returns specified fields even if their retrieve definition is not set to true
* @param {string[]} [subTypeArr] content type of folder
* @param {string} [key] customer key of single item to retrieve
* @returns {Promise} Promise
*/
static async retrieve(retrieveDir, additionalFields, subTypeArr, key) {
if (key) {
Util.logger.error(`Folder.retrieve() does not support key parameter`);
}
const queryAllFolders = await this.retrieveHelper(additionalFields, true, subTypeArr);
if (this.buObject.eid !== this.buObject.mid) {
queryAllFolders.push(
...(await this.retrieveHelper(additionalFields, false, subTypeArr))
);
}
const sortPairs = toposort(queryAllFolders.map((a) => [a.ParentFolder.ID, a.ID]));
const idMap = {};
for (const val of queryAllFolders) {
// Contact Builder Lists create a folder called "Audiences" with the same Customer Key as the
// main data extension folder. We restrict this from deploy so setting customer key to allow retrieve
if (val.CustomerKey === 'dataextension_default' && val.Name === 'Audiences') {
val.CustomerKey = 'dataextension_audiences';
}
// by default folders do not have an external key, we set this to ID plus EID as this will be unique
else if (!val.CustomerKey) {
val.CustomerKey = [this.buObject.eid, val.ID].join('-');
}
// ensure name is a string and not a number (SFMC-SDK workaround)
val.Name = val.Name + '';
idMap[val.ID] = val;
}
// create root node for attaching, but will be deleted later
idMap[0] = {
Name: '<ROOT>',
};
for (const id of sortPairs) {
if (!idMap[id]) {
Util.logger.debug(`Error: id ${id} not found in idMap-obj but in sortPairs-array.`);
} else if (
idMap[id].ParentFolder &&
Number.isSafeInteger(idMap[id].ParentFolder.ID) &&
idMap[id].Name !== '<ROOT>'
) {
// if the parent folder can be found by ID
if (idMap[idMap[id].ParentFolder.ID]) {
// if the parent folder has a Path
if (idMap[idMap[id].ParentFolder.ID].Path) {
const parent = idMap[idMap[id].ParentFolder.ID];
// we use / here not system separator as it is important to keep metadata consistent
idMap[id].Path = [parent.Path, idMap[id].Name].join(
Util.standardizedSplitChar
);
idMap[id].ParentFolder.Path = parent.Path;
} else {
idMap[id].Path = idMap[id].Name;
}
} else {
Util.logger.warn(
` - Skipping folder ${idMap[id].Name} (${id}, type: ${idMap[id].ContentType}): Cannot find parent folder (${idMap[id].ParentFolder.ID})`
);
}
}
// All folders except the artificial root have ParentFolder attribute. If they dont something else is wrong
else if (idMap[id].Name !== '<ROOT>') {
idMap[id].Path = '';
Util.logger.warn(
` - Skipping folder ${idMap[id].Name} (${id}, type: ${idMap[id].ContentType}): Does not have a parent folder`
);
}
}
// helper for error warning
const buMapping = {};
for (const cred in this.properties.credentials) {
const buObj = this.properties.credentials[cred].businessUnits;
for (const bu in buObj) {
buMapping[buObj[bu]] = `${cred}/${bu}`;
}
}
// build a new map using the customer key instead of id
const metadata = {};
for (const id in idMap) {
// remove keys which are listed in other BUs and skip root
if (
idMap[id].Client?.ID &&
(this.buObject.mid == idMap[id].Client.ID ||
this.definition.folderTypesFromParent.includes(
idMap[id].ContentType.toLowerCase()
))
) {
if (metadata[idMap[id].CustomerKey]) {
// check the shortest path as this is likely the more important folder.
if (metadata[idMap[id].CustomerKey].Path.length > idMap[id].Path.length) {
Util.logger.debug(
`MetadataType[folder-${
idMap[id].ContentType
}].retrieve:: Duplicate CustomerKey on Folder. Keeping: ${
idMap[id].Path
}, Overwriting: ${metadata[idMap[id].CustomerKey].Path}`
);
metadata[idMap[id].CustomerKey] = idMap[id];
} else {
Util.logger.debug(
`MetadataType[folder-${
idMap[id].ContentType
}].retrieve:: Duplicate CustomerKey on Folder. Keeping: ${
metadata[idMap[id].CustomerKey].Path
}, Ignoring: ${idMap[id].Path}`
);
}
} else {
metadata[idMap[id].CustomerKey] = idMap[id];
}
} else {
delete idMap[id];
}
}
if (retrieveDir) {
const savedMetadata = await this.saveResults(metadata, retrieveDir, this.buObject.mid);
Util.logger.info(
`Downloaded: ${this.definition.type} (${Object.keys(savedMetadata).length})`
);
}
return { metadata: metadata, type: this.definition.type };
}
/**
* Retrieves folder metadata for caching
*
* @param {void | string[]} [_] parameter not used
* @param {string[]} [subTypeArr] content type of folder
* @returns {Promise} Promise
*/
static retrieveForCache(_, subTypeArr) {
return this.retrieve(null, null, subTypeArr, null);
}
/**
* Folder upsert (copied from Metadata Upsert), after retrieving from target
* and comparing to check if create or update operation is needed.
* Copied due to having a dependency on itself, meaning the created need to be serial
*
* @param {MetadataTypeMap} metadata metadata mapped by their keyField
* @returns {Promise.<object>} Promise of saved metadata
*/
static async upsert(metadata) {
const orignalMetadata = JSON.parse(JSON.stringify(metadata));
let updateCount = 0;
let updateFailedCount = 0;
let createCount = 0;
let createFailedCount = 0;
let filteredByPreDeploy = 0;
const upsertResults = {};
const sortPairs = toposort(
Object.keys(metadata).map((customerKey) => [
metadata[customerKey].ParentFolder.Path,
metadata[customerKey].Path,
])
);
// loop of loops to find a match between two arrays
for (const folderPath of sortPairs) {
for (const metadataKey in metadata) {
if (metadata[metadataKey].Path === folderPath) {
try {
// preDeployTasks parsing
const deployableMetadata = await this.preDeployTasks(metadata[metadataKey]);
// if preDeploy returns nothing then it cannot be deployed so skip deployment
if (deployableMetadata) {
const normalizedKey = File.reverseFilterIllegalFilenames(metadataKey);
let existingId;
try {
// perform a secondary check based on path
existingId = cache.searchForField(
'folder',
deployableMetadata.Path,
'Path',
'ID'
);
const cachedVersion = cache.getByKey(
'folder',
cache.searchForField(
'folder',
deployableMetadata.Path,
'Path',
this.definition.keyField
)
);
if (
existingId &&
!this.hasChangedGeneric(
cachedVersion,
metadata[metadataKey],
'Path',
true
)
) {
Util.logger.verbose(
` - skipping ${this.definition.type} ${
cachedVersion?.Path ||
metadata[metadataKey][this.definition.nameField]
}: no change detected`
);
filteredByPreDeploy++;
continue;
}
} catch {
// In case no path matching, then try to use CustomerKey
const cachedVersion = cache.getByKey('folder', normalizedKey);
existingId = cachedVersion?.ID;
if (
existingId &&
!this.hasChangedGeneric(
cachedVersion,
metadata[metadataKey],
'Path',
true
)
) {
Util.logger.verbose(
` - skipping ${this.definition.type} ${
cachedVersion?.Path ||
metadata[metadataKey][this.definition.nameField]
}: no change detected`
);
filteredByPreDeploy++;
continue;
}
}
let result;
// since deployableMetadata will be modified for deploy, make a copy for reference
const beforeMetadata = JSON.parse(JSON.stringify(deployableMetadata));
if (existingId) {
// if an existing folder exists with the same name/path then use that
deployableMetadata.ID = existingId;
result = await this.update(deployableMetadata);
if (result) {
updateCount++;
} else {
updateFailedCount++;
}
} else {
result = await this.create(deployableMetadata);
if (result) {
createCount++;
} else {
createFailedCount++;
}
}
if (result?.Results) {
const parsed = this.parseResponseBody({
Results: [result.Results[0].Object],
});
if (!result.Results[0].Object.CustomerKey && parsed['undefined']) {
// when inserting folders without specifying a CustomerKey, this happens in parseResponseBody()
parsed[normalizedKey] = parsed['undefined'];
delete parsed['undefined'];
}
const newObject = {};
newObject[normalizedKey] = Object.assign(
beforeMetadata,
parsed[normalizedKey]
);
cache.mergeMetadata('folder', newObject);
upsertResults[metadataKey] = beforeMetadata;
} else {
Util.logger.debug(result);
throw new Error(
`'${beforeMetadata.Path}' was not deployed correctly`
);
}
}
} catch (ex) {
Util.logger.errorStack(
ex,
`Upserting ${this.definition.type} failed: ${ex.message}`
);
}
}
}
}
// Logging
Util.logger.info(
`${this.definition.type} upsert: ${createCount} of ${
createCount + createFailedCount
} created / ${updateCount} of ${updateCount + updateFailedCount} updated` +
(filteredByPreDeploy > 0 ? ` / ${filteredByPreDeploy} filtered` : '')
);
if (updateCount) {
Util.logger.warn(
` - Folders are recognized for updates based on their CustomerKey or, if that is not given, their folder-path.`
);
}
await this.postDeployTasks(upsertResults, orignalMetadata, {
created: createCount,
updated: updateCount,
});
return upsertResults;
}
/**
* creates a folder based on metatadata
*
* @param {MetadataTypeItem} metadataEntry metadata of the folder
* @returns {Promise} Promise
*/
static async create(metadataEntry) {
if (metadataEntry?.Parent?.ID === 0) {
Util.logger.error(
`${this.definition.type}-${metadataEntry.ContentType}.create:: Cannot create Root Folder: ${metadataEntry.Name}`
);
return {};
}
const path = metadataEntry.Path;
try {
// * We tried using the SOAP endpoint for creating folders but that did not support folders for automations nor journeys. This rest endpoint seems to cover everything though
const restPayload = {
parentCatId: metadataEntry.ParentFolder.ID,
name: metadataEntry.Name,
catType: metadataEntry.ContentType,
};
const response = await super.createREST(restPayload, '/email/v1/category', true);
if (response?.objectId) {
// convert the response to the same format as the SOAP response
metadataEntry.ID = response.objectId;
// the following is a bit of a hack to make the response look like the SOAP response; not sure if we actually need that anywhere like this --> future developers feel free to double check
const returnObject = {
Results: [
{
Object: metadataEntry,
},
],
};
Util.logger.info(` - created folder: ${path}`);
return returnObject;
} else {
throw new Error(response);
}
} catch (ex) {
if (ex?.results) {
Util.logger.error(
`${this.definition.type}-${metadataEntry.ContentType}.create:: error creating: '${path}'. ${ex.results[0].StatusMessage}`
);
} else if (ex) {
Util.logger.error(
`${this.definition.type}-${metadataEntry.ContentType}.create:: error creating: '${path}'. ${ex.message}`
);
}
}
}
/**
* Updates a single Folder.
*
* @param {MetadataTypeItem} metadataEntry single metadata entry
* @returns {Promise} Promise
*/
static async update(metadataEntry) {
const path = metadataEntry.Path;
try {
const response = await super.updateSOAP(metadataEntry, true);
if (response) {
response.Results[0].Object = metadataEntry;
response.Results[0].Object.CustomerKey = metadataEntry.CustomerKey;
delete response.Results[0].Object.$;
Util.logger.info(` - updated folder: ${path}`);
return response;
}
} catch (ex) {
if (ex?.results) {
Util.logger.error(
`${this.definition.type}-${metadataEntry.ContentType}.update:: error updating: '${path}'. ${ex.results[0].StatusMessage}`
);
} else if (ex) {
Util.logger.error(
`${this.definition.type}-${metadataEntry.ContentType}.update:: error updating: '${path}'. ${ex.message}`
);
}
}
}
/**
* prepares a folder for deployment
*
* @param {MetadataTypeItem} metadata a single folder definition
* @returns {Promise.<MetadataTypeItem>} Promise of parsed folder metadata
*/
static async preDeployTasks(metadata) {
if (!this.definition.deployFolderTypes.includes(metadata.ContentType.toLowerCase())) {
Util.logger.warn(
` - Folder ${metadata.Name} is of a type which does not support deployment (Type: ${metadata.ContentType}). Please create this manually in the Web-Interface.`
);
return;
}
// skip certain folders by name
else if (this.definition.deployFolderBlacklist.includes(metadata.Name.toLowerCase())) {
Util.metadataLogger(
'debug',
'folder',
'preDeployTasks',
`Folder ${metadata.Name} is blacklisted for deployment due to it being a reserved name or that folder cannot be deployed`
);
return;
}
// skip when metadata isnt editable
else if (!metadata.IsEditable) {
Util.metadataLogger(
'warn',
'folder',
'preDeployTasks',
`Folders with IsEditable (such as ${metadata.Name}) are skipped in deployment to avoid overwriting system folder`
);
return;
}
// retreive ID based on the matching Path of the parent folder
else if (metadata?.ParentFolder?.Path) {
metadata.ParentFolder.ID = cache.searchForField(
'folder',
metadata.ParentFolder.Path,
'Path',
'ID'
);
return metadata;
} else {
Util.metadataLogger(
'warn',
'folder',
'preDeployTasks',
`skipping root folder '${metadata.Name}' (no need to include this in deployment)`
);
return;
}
}
/**
* Returns file contents mapped to their filename without '.json' ending
*
* @param {string} dir directory that contains '.json' files to be read
* @param {boolean} [listBadKeys] do not print errors, used for badKeys()
* @returns {MetadataTypeMap} fileName => fileContent map
*/
static getJsonFromFS(dir, listBadKeys) {
try {
/** @type {MetadataTypeMap} */
const fileName2FileContent = {};
const directories = File.readDirectoriesSync(dir, 10, true);
let newCounter = 0;
if (!Array.isArray(directories)) {
return fileName2FileContent;
}
for (const subdir of directories) {
// standardise to / and then remove the stem up until folder as this
// should not be in the path for the metadata. In case no split then return empty as this is root
const standardSubDir = File.reverseFilterIllegalFilenames(
subdir.replaceAll('\\', '/').split(/folder\//)[1] || ''
);
for (const fileName of File.readdirSync(subdir)) {
try {
if (fileName.endsWith('meta.json')) {
const fileContent = File.readJSONFile(subdir, fileName, true, false);
const fileNameWithoutEnding = File.reverseFilterIllegalFilenames(
fileName.split(/\.(\w|-)+-meta.json/)[0]
);
if (fileContent.Name === fileNameWithoutEnding) {
fileContent.Path =
(standardSubDir ? standardSubDir + '/' : '') +
fileNameWithoutEnding;
fileContent.ParentFolder = {
Path: standardSubDir,
};
const key = fileContent.CustomerKey || `new-${++newCounter}`;
if (fileName2FileContent[key]) {
Util.logger.error(
`Your have multiple folder-JSONs with the same CustomerKey '${key}' - skipping ${fileName}`
);
} else {
fileName2FileContent[key] = fileContent;
}
} else if (!listBadKeys) {
Util.metadataLogger(
'error',
this.definition.type,
'getJsonFromFS',
'Name of the Folder and the Filename must match',
JSON.stringify({
Filename: fileNameWithoutEnding,
MetadataName: fileContent.Name,
})
);
}
}
} catch (ex) {
// by catching this in the loop we gracefully handle the issue and move on to the next file
Util.metadataLogger('debug', this.definition.type, 'getJsonFromFS', ex);
}
}
}
return fileName2FileContent;
} catch (ex) {
Util.metadataLogger('error', this.definition.type, 'getJsonFromFS', ex);
throw new Error(ex);
}
}
/**
* Helper to retrieve the folders as promise
*
* @param {string[]} [additionalFields] Returns specified fields even if their retrieve definition is not set to true
* @param {boolean} [queryAllAccounts] which queryAllAccounts setting to use
* @param {string[]} [contentTypeList] content type of folder
* @returns {Promise.<object>} soap object
*/
static async retrieveHelper(additionalFields, queryAllAccounts, contentTypeList) {
const options = { QueryAllAccounts: !!queryAllAccounts };
if (contentTypeList) {
for (const contentType of contentTypeList) {
options.filter = options.filter
? {
leftOperand: {
leftOperand: 'ContentType',
operator: 'equals',
rightOperand: contentType,
},
operator: 'OR',
rightOperand: options.filter,
}
: {
leftOperand: 'ContentType',
operator: 'equals',
rightOperand: contentType,
};
}
}
const response = await this.client.soap.retrieveBulk(
'DataFolder',
this.getFieldNamesToRetrieve(additionalFields).filter(
(field) => !field.includes('Path')
),
options
);
return response.Results;
}
/**
* Gets executed after retreive of metadata type
*
* @param {MetadataTypeItem} metadata metadata mapped by their keyField
* @returns {MetadataTypeItem} cloned metadata
*/
static postRetrieveTasks(metadata) {
return JSON.parse(JSON.stringify(metadata));
}
/**
* Helper for writing Metadata to disk, used for Retrieve and deploy
*
* @param {MetadataTypeMap} results metadata results from deploy
* @param {string} retrieveDir directory where metadata should be stored after deploy/retrieve
* @param {number | string} mid unused parameter
* @returns {Promise.<object>} Promise of saved metadata
*/
static async saveResults(results, retrieveDir, mid) {
const savedResults = {};
for (const metadataEntry in results) {
try {
// skip saving shared folders as they technically live in parent.
// ! Warning: our result set does not have Client.ID in it - bad check?
if (results[metadataEntry].Client && mid != results[metadataEntry].Client.ID) {
continue;
} else if (
results[metadataEntry] &&
(this.isFiltered(results[metadataEntry], true) ||
this.isFiltered(results[metadataEntry], false))
) {
// if current metadata entry is filtered skip writeJSONToFile()
continue;
}
// get subfolder into which we need to save this JSON
// * cannot use split('/') here due to the "A/B Testing" folder
const stem = results[metadataEntry].Path.slice(
0,
-results[metadataEntry].Name.length
);
// we dont store Id on local disk, but we need it for caching logic,
// so its in retrieve but not in save. Here we put into the clone so that the original
// object used for caching doesnt have the Id removed.
const tempHolder = this.postRetrieveTasks(results[metadataEntry]);
this.keepRetrieveFields(tempHolder);
delete tempHolder.ParentFolder;
delete tempHolder.Client;
if (!this.definition.keepId) {
delete tempHolder.ID;
}
savedResults[metadataEntry] = tempHolder;
// need to {await} writeJSONToFile() here because sometimes SFMC allows the same folder to be created twice and then we run into race conditions, causing bad JSON to be saved
await File.writeJSONToFile(
// manage subtypes
[retrieveDir, 'folder', stem],
tempHolder.Name + '.folder-meta',
tempHolder
);
} catch (ex) {
Util.metadataLogger(
'error',
this.definition.type,
'saveResults',
ex,
metadataEntry
);
}
}
return savedResults;
}
}
// Assign definition to static attributes
import MetadataTypeDefinitions from '../MetadataTypeDefinitions.js';
Folder.definition = MetadataTypeDefinitions.folder;
export default Folder;