forked from atampy25/simple-mod-framework
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.js
1292 lines (1023 loc) · 63.2 KB
/
main.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
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
const FrameworkVersion = "1.3.1"
// @ts-ignore
// eslint-disable-next-line no-undef
THREE = require("./three-onlymath.min")
const QuickEntity = {
"0.1": require("./quickentity1136"),
"2.0": require("./quickentity20"),
"2.1": require("./quickentity"),
"999.999": require("./quickentity")
}
const RPKG = require("./rpkg")
const fs = require("fs-extra")
const path = require("path")
const child_process = require("child_process")
const LosslessJSON = require("lossless-json")
const md5 = require("md5")
const deepMerge = require("lodash.merge")
// @ts-ignore
const { crc32 } = require("./crc32")
const os = require("os")
const json5 = require("json5")
const semver = require('semver')
const klaw = require('klaw-sync')
const rfc6902 = require('rfc6902')
const chalk = require('chalk')
const luxon = require('luxon')
const md5File = require('md5-file')
const Sentry = require("@sentry/node")
const Tracing = require("@sentry/tracing")
require("clarify")
// @ts-ignore
const Piscina = require('piscina')
const logger = (!process.argv[2] || process.argv[2] == "kevinMode") ? {
debug: function (text) {
process.stdout.write(chalk`{grey DEBUG\t${text}}\n`)
// @ts-ignore
if (process.argv[2] == "kevinMode") { child_process.execSync("pause", { shell: true, stdio: [0,1,2] }) }
},
info: function (text) {
process.stdout.write(chalk`{blue INFO}\t${text}\n`)
// @ts-ignore
if (process.argv[2] == "kevinMode") { child_process.execSync("pause", { shell: true, stdio: [0,1,2] }) }
},
warn: function (text) {
process.stdout.write(chalk`{yellow WARN}\t${text}\n`)
// @ts-ignore
if (process.argv[2] == "kevinMode") { child_process.execSync("pause", { shell: true, stdio: [0,1,2] }) }
},
error: function (text, exitAfter = true) {
process.stderr.write(chalk`{red ERROR}\t${text}\n`)
console.trace()
// @ts-ignore
child_process.execSync("pause", { shell: true, stdio: [0,1,2] })
if (exitAfter) cleanExit()
}
} : {
debug: console.debug,
info: console.info,
warn: console.warn,
error: function(a, exitAfter = true) {
console.log(a)
if (exitAfter) cleanExit()
}
} // Any arguments (except kevinMode) will cause coloured logging to be disabled
process.on('SIGINT', cleanExit)
process.on('SIGTERM', cleanExit)
const config = json5.parse(String(fs.readFileSync(path.join(process.cwd(), "config.json"))))
if (typeof config.outputConfigToAppDataOnDeploy == "undefined") { config.outputConfigToAppDataOnDeploy = true; fs.writeFileSync(path.join(process.cwd(), "config.json"), json5.stringify(config)) } // Backwards compatibility - output config to appdata on deploy
if (typeof config.reportErrors == "undefined") { config.reportErrors = false; config.errorReportingID = null } // Do not report errors if no preference is set
config.runtimePath = path.resolve(process.cwd(), config.runtimePath)
if (!config.reportErrors) {
process.on('uncaughtException', (err, origin) => {
if (!process.argv[2] || process.argv[2] == "kevinMode") { logger.warn("Error reporting is disabled; if you experience this issue again, please enable it so that the problem can be debugged.") }
logger.error("Uncaught exception! " + err, false)
console.error(origin)
cleanExit()
})
process.on('unhandledRejection', (err, origin) => {
if (!process.argv[2] || process.argv[2] == "kevinMode") { logger.warn("Error reporting is disabled; if you experience this issue again, please enable it so that the problem can be debugged.") }
logger.error("Unhandled promise rejection! " + err, false)
console.error(origin)
cleanExit()
})
}
let sentryTransaction = { startChild(...args) { return { startChild(...args) { return { startChild(...args) { return { startChild(...args) { return { finish() {} } }, finish() {} } }, finish() {} } }, finish() {} } }, finish() {} }
if (config.reportErrors) {
logger.info("Initialising error reporting")
Sentry.init({
dsn: "https://[email protected]/6208676",
release: FrameworkVersion,
environment: "production",
tracesSampleRate: 1.0,
integrations: [
new Sentry.Integrations.OnUncaughtException({ onFatalError: (err) => {
logger.error("Uncaught exception! " + err, false)
logger.info("Reporting the error!")
cleanExit()
} }),
new Sentry.Integrations.OnUnhandledRejection({ mode: "strict" })
]
})
Sentry.setUser({ id: config.errorReportingID });
sentryTransaction = Sentry.startTransaction({
op: "deploy",
name: "Deploy",
});
Sentry.configureScope(scope => {
// @ts-ignore
scope.setSpan(sentryTransaction);
});
}
function configureSentryScope(transaction) {
if (config.reportErrors)
Sentry.configureScope(scope => {
// @ts-ignore
scope.setSpan(transaction);
});
}
const rpkgInstance = new RPKG.RPKGInstance()
if (!fs.existsSync(config.runtimePath)) {
logger.error("The Runtime folder couldn't be located, please re-read the installation instructions!")
}
config.platform = "microsoft"
function cleanExit() {
if (config.reportErrors) {
Sentry.getCurrentHub()
.getScope()
.getTransaction()
.finish()
sentryTransaction.finish()
}
Sentry.close(2000).then(() => {
rpkgInstance.exit()
try {
global.currentWorkerPool.destroy()
} catch {}
process.exit()
})
}
function hexflip(input) {
let output = ""
for (let i = input.length; i > 0 / 2; i = i -2) {
output += input.substr(i-2, 2)
}
return output
}
async function extractOrCopyToTemp(rpkgOfFile, file, type, stagingChunk = "chunk0") {
if (!fs.existsSync(path.join(process.cwd(), "staging", stagingChunk, file + "." + type))) {
await rpkgInstance.callFunction(`-extract_from_rpkg "${path.join(config.runtimePath, rpkgOfFile + ".rpkg")}" -filter "${file}" -output_path temp`) // Extract the file
} else {
fs.ensureDirSync(path.join(process.cwd(), "temp", rpkgOfFile, type))
fs.copyFileSync(path.join(process.cwd(), "staging", stagingChunk, file + "." + type), path.join(process.cwd(), "temp", rpkgOfFile, type, file + "." + type)) // Use the staging one (for mod compat - one mod can extract, patch and build, then the next can patch that one instead)
fs.copyFileSync(path.join(process.cwd(), "staging", stagingChunk, file + "." + type + ".meta"), path.join(process.cwd(), "temp", rpkgOfFile, type, file + "." + type + ".meta"))
}
}
async function stageAllMods() {
let startedDate = luxon.DateTime.now()
await rpkgInstance.waitForInitialised()
for (let chunkPatchFile of fs.readdirSync(config.runtimePath)) {
try {
if (chunkPatchFile.includes("patch")) {
let chunkPatchNumberMatches = [...chunkPatchFile.matchAll(/chunk[0-9]*patch([0-9]*)\.rpkg/g)]
let chunkPatchNumber = parseInt(chunkPatchNumberMatches[chunkPatchNumberMatches.length - 1][chunkPatchNumberMatches[chunkPatchNumberMatches.length - 1].length - 1])
if (chunkPatchNumber >= 200 && chunkPatchNumber <= 300) { // The mod framework manages patch files between 200 (inc) and 300 (inc), allowing mods to place runtime files in those ranges
fs.rmSync(path.join(config.runtimePath, chunkPatchFile))
}
} else if (parseInt(chunkPatchFile.split(".")[0].slice(5)) > 27) {
fs.rmSync(path.join(config.runtimePath, chunkPatchFile))
}
} catch {}
}
fs.emptyDirSync(path.join(process.cwd(), "staging"))
fs.emptyDirSync(path.join(process.cwd(), "temp"))
let thumbs = []
let packagedefinition = []
let localisation = []
let localisationOverrides = {}
let runtimePackages = []
let WWEVpatches = {}
let rpkgTypes = {}
let sentryModsTransaction = sentryTransaction.startChild({
op: "stage",
description: "All mods",
})
configureSentryScope(sentryModsTransaction)
/* ---------------------------------------------------------------------------------------------- */
/* Stage all mods */
/* ---------------------------------------------------------------------------------------------- */
for (let mod of config.loadOrder) {
// NOT Mod folder exists, mod has no manifest, mod has RPKGs (mod is an RPKG-only mod)
if (!(fs.existsSync(path.join(process.cwd(), "Mods", mod)) && !fs.existsSync(path.join(process.cwd(), "Mods", mod, "manifest.json")) && klaw(path.join(process.cwd(), "Mods", mod)).filter(a=>a.stats.size > 0).map(a=>a.path).some(a=>a.endsWith(".rpkg")))) {
// Find mod with ID in Mods folder, set the current mod to that folder
mod = fs.readdirSync(path.join(process.cwd(), "Mods")).find(a=>fs.existsSync(path.join(process.cwd(), "Mods", a, "manifest.json")) && json5.parse(String(fs.readFileSync(path.join(process.cwd(), "Mods", a, "manifest.json")))).id == mod)
} // Essentially, if the mod isn't an RPKG mod, it is referenced by its ID, so this finds the mod folder with the right ID
if (!fs.existsSync(path.join(process.cwd(), "Mods", mod, "manifest.json"))) {
let sentryModTransaction = sentryModsTransaction.startChild({
op: "stage",
description: mod,
})
configureSentryScope(sentryModTransaction)
logger.info("Staging RPKG mod: " + mod)
for (let chunkFolder of fs.readdirSync(path.join(process.cwd(), "Mods", mod))) {
try {
fs.mkdirSync(path.join(process.cwd(), "staging", chunkFolder))
} catch {}
fs.emptyDirSync(path.join(process.cwd(), "temp"))
for (let contentFile of fs.readdirSync(path.join(process.cwd(), "Mods", mod, chunkFolder))) {
await rpkgInstance.callFunction(`-extract_from_rpkg "${path.join(process.cwd(), "Mods", mod, chunkFolder, contentFile)}" -output_path "${path.join(process.cwd(), "temp")}"`)
}
rpkgTypes[chunkFolder] = "patch"
let allFiles = klaw(path.join(process.cwd(), "temp")).filter(a=>a.stats.size > 0).map(a=>a.path)
allFiles.forEach(a=>fs.copyFileSync(a, path.join(process.cwd(), "staging", chunkFolder, path.basename(a))))
fs.emptyDirSync(path.join(process.cwd(), "temp"))
}
sentryModTransaction.finish()
} else {
let manifest = json5.parse(String(fs.readFileSync(path.join(process.cwd(), "Mods", mod, "manifest.json"))))
logger.info("Staging mod: " + manifest.name)
for (let key of ["id", "name", "description", "authors", "version", "frameworkVersion"]) {
if (typeof manifest[key] == "undefined") {
logger.error(`Mod ${manifest.name} is missing required manifest field "${key}"!`)
}
}
if (semver.lt(manifest.frameworkVersion, FrameworkVersion)) {
if (semver.diff(manifest.frameworkVersion, FrameworkVersion) == "major") {
logger.error(`Mod ${manifest.name} is designed for an older version of the framework and is likely incompatible!`)
}
}
if (semver.gt(manifest.frameworkVersion, FrameworkVersion)) {
logger.error(`Mod ${manifest.name} is designed for a newer version of the framework and is likely incompatible!`)
}
let sentryModTransaction = sentryModsTransaction.startChild({
op: "stage",
description: manifest.id,
})
configureSentryScope(sentryModTransaction)
let contentFolders = []
let blobsFolders = []
if (manifest.contentFolder && manifest.contentFolder.length && fs.existsSync(path.join(process.cwd(), "Mods", mod, manifest.contentFolder)) && fs.readdirSync(path.join(process.cwd(), "Mods", mod, manifest.contentFolder)).length) {
contentFolders.push(manifest.contentFolder)
}
if (manifest.blobsFolder && manifest.blobsFolder.length && fs.existsSync(path.join(process.cwd(), "Mods", mod, manifest.blobsFolder)) && fs.readdirSync(path.join(process.cwd(), "Mods", mod, manifest.blobsFolder)).length) {
blobsFolders.push(manifest.blobsFolder)
}
if (config.modOptions[manifest.id] && manifest.options && manifest.options.length) {
for (let option of manifest.options.filter(a => (config.modOptions[manifest.id].includes(a.name) || config.modOptions[manifest.id].includes(a.group + ":" + a.name)) || (a.type == "requirement" && a.mods.every(b=>config.loadOrder.includes(b))))) {
if (option.contentFolder && option.contentFolder.length && fs.existsSync(path.join(process.cwd(), "Mods", mod, option.contentFolder)) && fs.readdirSync(path.join(process.cwd(), "Mods", mod, option.contentFolder)).length) {
contentFolders.push(option.contentFolder)
}
if (option.blobsFolder && option.blobsFolder.length && fs.existsSync(path.join(process.cwd(), "Mods", mod, option.blobsFolder)) && fs.readdirSync(path.join(process.cwd(), "Mods", mod, option.blobsFolder)).length) {
blobsFolders.push(option.blobsFolder)
}
manifest.localisation || (manifest.localisation = {})
option.localisation && deepMerge(manifest.localisation, option.localisation)
manifest.localisationOverrides || (manifest.localisationOverrides = {})
option.localisationOverrides && deepMerge(manifest.localisationOverrides, option.localisationOverrides)
manifest.localisedLines || (manifest.localisedLines = {})
option.localisedLines && deepMerge(manifest.localisedLines, option.localisedLines)
manifest.runtimePackages || (manifest.runtimePackages = [])
option.runtimePackages && manifest.runtimePackages.push(...option.runtimePackages)
manifest.dependencies || (manifest.dependencies = [])
option.dependencies && manifest.dependencies.push(...option.dependencies)
manifest.requirements || (manifest.requirements = [])
option.requirements && manifest.requirements.push(...option.requirements)
manifest.supportedPlatforms || (manifest.supportedPlatforms = [])
option.supportedPlatforms && manifest.supportedPlatforms.push(...option.supportedPlatforms)
manifest.packagedefinition || (manifest.packagedefinition = [])
option.packagedefinition && manifest.packagedefinition.push(...option.packagedefinition)
manifest.thumbs || (manifest.thumbs = [])
option.thumbs && manifest.thumbs.push(...option.thumbs)
}
}
if (manifest.requirements && manifest.requirements.length) {
for (let req of manifest.requirements) {
if (!config.loadOrder.includes(req)) {
logger.error(`Mod ${manifest.name} is missing requirement ${req}!`)
}
}
}
if (manifest.supportedPlatforms && manifest.supportedPlatforms.length) {
if (!manifest.supportedPlatforms.includes(config.platform)) {
logger.error(`Mod ${manifest.name} only supports the ${manifest.supportedPlatforms.slice(0, -1).length ? manifest.supportedPlatforms.slice(0, -1).join(", ") + " and " + manifest.supportedPlatforms[manifest.supportedPlatforms.length - 1] : manifest.supportedPlatforms[0]} platform${manifest.supportedPlatforms.length > 1 ? 's' : ''}!`)
}
}
/* ---------------------------------------------------------------------------------------------- */
/* Content */
/* ---------------------------------------------------------------------------------------------- */
let entityPatches = []
let sentryContentTransaction = sentryModTransaction.startChild({
op: "stage",
description: "Content",
})
configureSentryScope(sentryContentTransaction)
for (let contentFolder of contentFolders) {
for (let chunkFolder of fs.readdirSync(path.join(process.cwd(), "Mods", mod, contentFolder))) {
try {
fs.mkdirSync(path.join(process.cwd(), "staging", chunkFolder))
} catch {}
let contractsORESChunk, contractsORESContent, contractsORESMetaContent
if (klaw(path.join(process.cwd(), "Mods", mod, contentFolder, chunkFolder)).some(a=>a.path.endsWith("contract.json"))) {
fs.emptyDirSync(path.join(process.cwd(), "temp2"))
try {
contractsORESChunk = await rpkgInstance.getRPKGOfHash("002B07020D21D727")
} catch {
logger.error("Couldn't find the contracts ORES in the game files! Make sure you've installed the framework in the right place.")
}
if (!fs.existsSync(path.join(process.cwd(), "staging", "chunk0", "002B07020D21D727.ORES"))) {
await rpkgInstance.callFunction(`-extract_from_rpkg "${path.join(config.runtimePath, contractsORESChunk + ".rpkg")}" -filter "002B07020D21D727" -output_path temp2`) // Extract the contracts ORES
} else {
fs.ensureDirSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES"))
fs.copyFileSync(path.join(process.cwd(), "staging", "chunk0", "002B07020D21D727.ORES"), path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES")) // Use the staging one (for mod compat - one mod can extract, patch and build, then the next can patch that one instead)
fs.copyFileSync(path.join(process.cwd(), "staging", "chunk0", "002B07020D21D727.ORES.meta"), path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.meta"))
}
child_process.execSync(`"Third-Party\\OREStool.exe" "${path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES")}"`)
contractsORESContent = JSON.parse(String(fs.readFileSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.JSON"))))
await rpkgInstance.callFunction(`-hash_meta_to_json "${path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.meta")}"`)
contractsORESMetaContent = JSON.parse(String(fs.readFileSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.meta.JSON"))))
} // There are contracts, extract the contracts ORES and copy it to the temp2 directory
for (let contentFilePath of klaw(path.join(process.cwd(), "Mods", mod, contentFolder, chunkFolder)).map(a=>a.path)) {
let contentType = path.basename(contentFilePath).split(".").slice(1).join(".")
let entityContent
let sentryContentFileTransaction = (["entity.json", "entity.patch.json", "unlockables.json", "repository.json", "contract.json", "JSON.patch.json", "texture.tga", "sfx.wem"].includes(contentType)) ? sentryContentTransaction.startChild({
op: "stageContentFile",
description: "Stage " + contentType,
}) : { startChild(...args) { return { startChild(...args) { return { startChild(...args) { return { startChild(...args) { return { finish() {} } }, finish() {} } }, finish() {} } }, finish() {} } }, finish() {} } // Don't track raw files, only special file types
configureSentryScope(sentryContentFileTransaction)
switch (contentType) {
case "entity.json":
entityContent = LosslessJSON.parse(String(fs.readFileSync(contentFilePath)))
logger.debug("Converting entity " + contentFilePath)
try {
if (!QuickEntity[Object.keys(QuickEntity)[Object.keys(QuickEntity).findIndex(a=> parseFloat(a) > Number(entityContent.quickEntityVersion.value)) - 1]]) {
logger.error("Could not find matching QuickEntity version for " + Number(entityContent.quickEntityVersion.value) + "!")
}
} catch {
logger.error("Improper QuickEntity JSON; couldn't find the version!")
}
await (QuickEntity[Object.keys(QuickEntity)[Object.keys(QuickEntity).findIndex(a=> parseFloat(a) > Number(entityContent.quickEntityVersion.value)) - 1]]).generate("HM3", contentFilePath,
path.join(process.cwd(), "temp", "temp.TEMP.json"),
path.join(process.cwd(), "temp", "temp.TEMP.meta.json"),
path.join(process.cwd(), "temp", "temp.TBLU.json"),
path.join(process.cwd(), "temp", "temp.TBLU.meta.json")) // Generate the RT files from the QN json
child_process.execSync("\"Third-Party\\ResourceTool.exe\" HM3 generate TEMP \"" + path.join(process.cwd(), "temp", "temp.TEMP.json") + "\" \"" + path.join(process.cwd(), "temp", "temp.TEMP") + "\" --simple")
child_process.execSync("\"Third-Party\\ResourceTool.exe\" HM3 generate TBLU \"" + path.join(process.cwd(), "temp", "temp.TBLU.json") + "\" \"" + path.join(process.cwd(), "temp", "temp.TBLU") + "\" --simple")
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "temp", "temp.TEMP.meta.json")}"`)
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "temp", "temp.TBLU.meta.json")}"`) // Generate the binary files from the RT json
fs.copyFileSync(path.join(process.cwd(), "temp", "temp.TEMP"), path.join(process.cwd(), "staging", chunkFolder, entityContent.tempHash + ".TEMP"))
fs.copyFileSync(path.join(process.cwd(), "temp", "temp.TEMP.meta"), path.join(process.cwd(), "staging", chunkFolder, entityContent.tempHash + ".TEMP.meta"))
fs.copyFileSync(path.join(process.cwd(), "temp", "temp.TBLU"), path.join(process.cwd(), "staging", chunkFolder, entityContent.tbluHash + ".TBLU"))
fs.copyFileSync(path.join(process.cwd(), "temp", "temp.TBLU.meta"), path.join(process.cwd(), "staging", chunkFolder, entityContent.tbluHash + ".TBLU.meta")) // Copy the binary files to the staging directory
break;
case "entity.patch.json":
entityContent = LosslessJSON.parse(String(fs.readFileSync(contentFilePath)))
entityContent.path = contentFilePath
logger.debug("Preparing to apply patch " + contentFilePath)
if (entityPatches.some(a=>a.tempHash == entityContent.tempHash)) {
entityPatches.find(a=>a.tempHash == entityContent.tempHash).patches.push(entityContent)
} else {
try {
entityPatches.push({
tempHash: entityContent.tempHash,
tempRPKG: await rpkgInstance.getRPKGOfHash(entityContent.tempHash),
tbluHash: entityContent.tbluHash,
tbluRPKG: await rpkgInstance.getRPKGOfHash(entityContent.tbluHash),
chunkFolder,
patches: [entityContent]
})
} catch {
logger.error("Couldn't find the entity to patch in the game files! Make sure you've installed the framework in the right place.")
}
}
break;
case "unlockables.json":
entityContent = JSON.parse(String(fs.readFileSync(contentFilePath)))
let oresChunk
try {
oresChunk = await rpkgInstance.getRPKGOfHash("0057C2C3941115CA")
} catch {
logger.error("Couldn't find the unlockables ORES in the game files! Make sure you've installed the framework in the right place.")
}
logger.debug("Applying unlockable patch " + contentFilePath)
await extractOrCopyToTemp(oresChunk, "0057C2C3941115CA", "ORES") // Extract the ORES to temp
child_process.execSync(`"Third-Party\\OREStool.exe" "${path.join(process.cwd(), "temp", oresChunk, "ORES", "0057C2C3941115CA.ORES")}"`)
let oresContent = JSON.parse(String(fs.readFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "0057C2C3941115CA.ORES.JSON"))))
let oresToPatch = Object.fromEntries(oresContent.map(a=>[a.Id, a]))
deepMerge(oresToPatch, entityContent)
let oresToWrite = Object.values(oresToPatch)
fs.writeFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "0057C2C3941115CA.ORES.JSON"), JSON.stringify(oresToWrite))
fs.rmSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "0057C2C3941115CA.ORES"))
child_process.execSync(`"Third-Party\\OREStool.exe" "${path.join(process.cwd(), "temp", oresChunk, "ORES", "0057C2C3941115CA.ORES.json")}"`)
fs.copyFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "0057C2C3941115CA.ORES"), path.join(process.cwd(), "staging", "chunk0", "0057C2C3941115CA.ORES"))
fs.copyFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "0057C2C3941115CA.ORES.meta"), path.join(process.cwd(), "staging", "chunk0", "0057C2C3941115CA.ORES.meta"))
break;
case "repository.json":
entityContent = JSON.parse(String(fs.readFileSync(contentFilePath)))
let repoRPKG
try {
repoRPKG = await rpkgInstance.getRPKGOfHash("00204D1AFD76AB13")
} catch {
logger.error("Couldn't find the repository in the game files! Make sure you've installed the framework in the right place.")
}
logger.debug("Applying repository patch " + contentFilePath)
await extractOrCopyToTemp(repoRPKG, "00204D1AFD76AB13", "REPO") // Extract the REPO to temp
let repoContent = JSON.parse(String(fs.readFileSync(path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO"))))
let repoToPatch = Object.fromEntries(repoContent.map(a=>[a["ID_"], a]))
deepMerge(repoToPatch, entityContent)
let repoToWrite = Object.values(repoToPatch)
let editedItems = new Set(Object.keys(entityContent))
await rpkgInstance.callFunction(`-hash_meta_to_json "${path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO.meta")}"`)
let metaContent = JSON.parse(String(fs.readFileSync(path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO.meta.JSON"))))
for (let repoItem of repoToWrite) {
if (editedItems.has(repoItem.ID_)) {
if (repoItem.Runtime) {
if (!metaContent["hash_reference_data"].find(a=>a.hash == parseInt(repoItem.Runtime).toString(16).toUpperCase())) {
metaContent["hash_reference_data"].push({
"hash": parseInt(repoItem.Runtime).toString(16).toUpperCase(),
"flag": "9F"
}) // Add Runtime of any items to REPO depends if not already there
}
}
if (repoItem.Image) {
if (!metaContent["hash_reference_data"].find(a=>a.hash == "00" + md5(`[assembly:/_pro/online/default/cloudstorage/resources/${repoItem.Image}].pc_gfx`.toLowerCase()).slice(2, 16).toUpperCase())) {
metaContent["hash_reference_data"].push({
"hash": "00" + md5(`[assembly:/_pro/online/default/cloudstorage/resources/${repoItem.Image}].pc_gfx`.toLowerCase()).slice(2, 16).toUpperCase(),
"flag": "9F"
}) // Add Image of any items to REPO depends if not already there
}
}
}
}
fs.writeFileSync(path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO.meta.JSON"), JSON.stringify(metaContent))
fs.rmSync(path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO.meta"))
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO.meta.JSON")}"`) // Add all runtimes to REPO depends
fs.writeFileSync(path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO"), JSON.stringify(repoToWrite))
fs.copyFileSync(path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO"), path.join(process.cwd(), "staging", "chunk0", "00204D1AFD76AB13.REPO"))
fs.copyFileSync(path.join(process.cwd(), "temp", repoRPKG, "REPO", "00204D1AFD76AB13.REPO.meta"), path.join(process.cwd(), "staging", "chunk0", "00204D1AFD76AB13.REPO.meta"))
break;
case "contract.json":
entityContent = LosslessJSON.parse(String(fs.readFileSync(contentFilePath)))
let contractHash = "00" + md5(("smfContract" + entityContent.Metadata.Id).toLowerCase()).slice(2, 16).toUpperCase()
logger.debug("Adding contract " + contentFilePath)
contractsORESContent[contractHash] = entityContent.Metadata.Id // Add the contract to the ORES
contractsORESMetaContent["hash_reference_data"].push({
"hash": contractHash,
"flag": "9F"
})
fs.writeFileSync(path.join(process.cwd(), "staging", "chunk0", contractHash + ".JSON"), LosslessJSON.stringify(entityContent)) // Write the actual contract to the staging directory
break;
case "JSON.patch.json":
entityContent = JSON.parse(String(fs.readFileSync(contentFilePath)))
let rpkgOfFile
try {
rpkgOfFile = await rpkgInstance.getRPKGOfHash(entityContent.file)
} catch {
logger.error("Couldn't find the file to patch in the game files! Make sure you've installed the framework in the right place.")
}
let fileType = entityContent.type || "JSON"
logger.debug("Applying JSON patch " + contentFilePath)
await extractOrCopyToTemp(rpkgOfFile, entityContent.file, fileType, chunkFolder) // Extract the JSON to temp
if (entityContent.type == "ORES") {
child_process.execSync(`"Third-Party\\OREStool.exe" "${path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType)}"`)
fs.rmSync(path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType))
fs.renameSync(path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType + ".json"), path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType))
}
let fileContent = JSON.parse(String(fs.readFileSync(path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType))))
if (entityContent.type == "ORES" && Array.isArray(fileContent)) {
fileContent = Object.fromEntries(fileContent.map(a=>[a.Id, a])) // Change unlockables ORES to be an object
} else if (entityContent.type == "REPO") {
fileContent = Object.fromEntries(fileContent.map(a=>[a["ID_"], a])) // Change REPO to be an object
}
rfc6902.applyPatch(fileContent, entityContent.patch) // Apply the JSON patch
if ((entityContent.type == "ORES" && Object.prototype.toString.call(fileContent) == "[object Object]") || entityContent.type == "REPO") {
fileContent = Object.values(fileContent) // Change back to an array
}
if (entityContent.type == "ORES") {
fs.renameSync(path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType), path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType + ".json"))
fs.writeFileSync(path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType + ".json"), JSON.stringify(fileContent))
child_process.execSync(`"Third-Party\\OREStool.exe" "${path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType + ".json")}"`)
} else {
fs.writeFileSync(path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType), JSON.stringify(fileContent))
}
fs.copyFileSync(path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType), path.join(process.cwd(), "staging", chunkFolder, entityContent.file + "." + fileType))
fs.copyFileSync(path.join(process.cwd(), "temp", rpkgOfFile, fileType, entityContent.file + "." + fileType + ".meta"), path.join(process.cwd(), "staging", chunkFolder, entityContent.file + "." + fileType + ".meta"))
break;
case "texture.tga":
logger.debug("Converting texture " + contentFilePath)
if (path.basename(contentFilePath).split(".")[0].split("~").length > 1) {
child_process.execSync(`"Third-Party\\HMTextureTools" rebuild H3 "${contentFilePath}" --metapath "${contentFilePath + ".meta"}" "${path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0].split("~")[0] + ".TEXT")}" --rebuildboth --texdoutput "${path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0].split("~")[1] + ".TEXD")}"`) // Rebuild texture to TEXT/TEXD
fs.writeFileSync(path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0].split("~")[0] + ".TEXT.meta.JSON"), JSON.stringify({ // Create the TEXT meta
"hash_value": path.basename(contentFilePath).split(".")[0].split("~")[0],
"hash_offset": 21488715,
"hash_size": 2147483648,
"hash_resource_type": "TEXT",
"hash_reference_table_size": 13,
"hash_reference_table_dummy": 0,
"hash_size_final": 6054,
"hash_size_in_memory": 4294967295,
"hash_size_in_video_memory": 688128,
"hash_reference_data": [
{
"hash": path.basename(contentFilePath).split(".")[0].split("~")[1],
"flag": "9F"
}
]
}))
fs.writeFileSync(path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0].split("~")[1] + ".TEXD.meta.JSON"), JSON.stringify({ // Create the TEXD meta
"hash_value": path.basename(contentFilePath).split(".")[0].split("~")[1],
"hash_offset": 233821026,
"hash_size": 0,
"hash_resource_type": "TEXD",
"hash_reference_table_size": 0,
"hash_reference_table_dummy": 0,
"hash_size_final": 120811,
"hash_size_in_memory": 4294967295,
"hash_size_in_video_memory": 688128,
"hash_reference_data": []
}))
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0].split("~")[0] + ".TEXT.meta.JSON")}"`) // Rebuild the TEXT meta
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0].split("~")[1] + ".TEXD.meta.JSON")}"`) // Rebuild the TEXD meta
} else { // TEXT only
child_process.execSync(`"Third-Party\\HMTextureTools" rebuild H3 "${contentFilePath}" --metapath "${contentFilePath + ".meta"}" "${path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0] + ".TEXT")}"`) // Rebuild texture to TEXT only
fs.writeFileSync(path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0] + ".TEXT.meta.json"), JSON.stringify({ // Create the TEXT meta
"hash_value": path.basename(contentFilePath).split(".")[0].split("~")[0],
"hash_offset": 21488715,
"hash_size": 2147483648,
"hash_resource_type": "TEXT",
"hash_reference_table_size": 13,
"hash_reference_table_dummy": 0,
"hash_size_final": 6054,
"hash_size_in_memory": 4294967295,
"hash_size_in_video_memory": 688128,
"hash_reference_data": []
}))
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath).split(".")[0] + ".TEXT.meta.json")}"`) // Rebuild the meta
}
break;
case "sfx.wem":
if (!WWEVpatches[path.basename(contentFilePath).split(".")[0].split("~")[0]]) { WWEVpatches[path.basename(contentFilePath).split(".")[0].split("~")[0]] = [] }
WWEVpatches[path.basename(contentFilePath).split(".")[0].split("~")[0]].push({
index: path.basename(contentFilePath).split(".")[0].split("~")[1],
filepath: contentFilePath,
chunk: chunkFolder
})
break;
default:
fs.copyFileSync(contentFilePath, path.join(process.cwd(), "staging", chunkFolder, path.basename(contentFilePath))) // Copy the file to the staging directory
break;
}
sentryContentFileTransaction.finish()
fs.emptyDirSync(path.join(process.cwd(), "temp"))
}
/* --------- There are contracts, repackage the contracts ORES from the temp2 directory --------- */
if (klaw(path.join(process.cwd(), "Mods", mod, contentFolder, chunkFolder)).some(a=>a.path.endsWith("contract.json"))) {
fs.writeFileSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.meta.JSON"), JSON.stringify(contractsORESMetaContent))
fs.rmSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.meta"))
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.meta.JSON")}"`) // Rebuild the ORES meta
fs.writeFileSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.JSON"), JSON.stringify(contractsORESContent))
fs.rmSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES"))
child_process.execSync(`"Third-Party\\OREStool.exe" "${path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.json")}"`) // Rebuild the ORES
fs.copyFileSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES"), path.join(process.cwd(), "staging", "chunk0", "002B07020D21D727.ORES"))
fs.copyFileSync(path.join(process.cwd(), "temp2", contractsORESChunk, "ORES", "002B07020D21D727.ORES.meta"), path.join(process.cwd(), "staging", "chunk0", "002B07020D21D727.ORES.meta")) // Copy the ORES to the staging directory
fs.removeSync(path.join(process.cwd(), "temp2"))
}
/* ------------------------------ Copy chunk meta to staging folder ----------------------------- */
if (fs.existsSync(path.join(process.cwd(), "Mods", mod, contentFolder, chunkFolder, chunkFolder + ".meta"))) {
fs.copyFileSync(path.join(process.cwd(), "Mods", mod, contentFolder, chunkFolder, chunkFolder + ".meta"), path.join(process.cwd(), "staging", chunkFolder, chunkFolder + ".meta"))
rpkgTypes[chunkFolder] = "base"
} else {
rpkgTypes[chunkFolder] = "patch"
}
}
}
sentryContentTransaction.finish()
/* ------------------------------------- Multithreaded patching ------------------------------------ */
let index = 0
let workerPool = new Piscina({
filename: "patchWorker.js",
maxThreads: os.cpus().length / 4 // For an 8-core CPU with 16 logical processors there are 4 max threads
});
global.currentWorkerPool = workerPool
let sentryPatchTransaction = sentryModTransaction.startChild({
op: "stage",
description: "Patches",
})
configureSentryScope(sentryPatchTransaction)
await Promise.all(entityPatches.map(({ tempHash, tempRPKG, tbluHash, tbluRPKG, chunkFolder, patches }) => {
index ++
return workerPool.run({
tempHash, tempRPKG, tbluHash, tbluRPKG, chunkFolder, patches,
assignedTemporaryDirectory: "patchWorker" + index,
useNiceLogs: !process.argv[2]
})
})) // Run each patch in the worker queue and wait for all of them to finish
global.currentWorkerPool = { destroy: () => {} }
sentryPatchTransaction.finish()
/* ---------------------------------------------------------------------------------------------- */
/* Blobs */
/* ---------------------------------------------------------------------------------------------- */
if (blobsFolders.length) {
let sentryBlobsTransaction = sentryModTransaction.startChild({
op: "stage",
description: "Blobs",
})
configureSentryScope(sentryBlobsTransaction)
fs.emptyDirSync(path.join(process.cwd(), "temp"))
fs.ensureDirSync(path.join(process.cwd(), "staging", "chunk0"))
let oresChunk
try {
oresChunk = await rpkgInstance.getRPKGOfHash("00858D45F5F9E3CA")
} catch {
logger.error("Couldn't find the blobs ORES in the game files! Make sure you've installed the framework in the right place.")
}
await extractOrCopyToTemp(oresChunk, "00858D45F5F9E3CA", "ORES") // Extract the ORES to temp
child_process.execSync(`"Third-Party\\OREStool.exe" "${path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES")}"`)
let oresContent = JSON.parse(String(fs.readFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.JSON"))))
await rpkgInstance.callFunction(`-hash_meta_to_json "${path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.meta")}"`)
let metaContent = JSON.parse(String(fs.readFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.meta.JSON"))))
for (let blobsFolder of blobsFolders) {
for (let blob of klaw(path.join(process.cwd(), "Mods", mod, blobsFolder)).map(a=>a.path)) {
let blobPath = blob.replace(path.join(process.cwd(), "Mods", mod, blobsFolder), "").slice(1).split(path.sep).join("/").toLowerCase()
let blobHash
if (path.extname(blob).startsWith(".jp") || path.extname(blob) == ".png") {
blobHash = "00" + md5((`[assembly:/_pro/online/default/cloudstorage/resources/${blobPath}].pc_gfx`).toLowerCase()).slice(2, 16).toUpperCase()
} else if (path.extname(blob) == ".json") {
blobHash = "00" + md5((`[assembly:/_pro/online/default/cloudstorage/resources/${blobPath}].pc_json`).toLowerCase()).slice(2, 16).toUpperCase()
} else {
blobHash = "00" + md5((`[assembly:/_pro/online/default/cloudstorage/resources/${blobPath}].pc_${path.extname(blob).slice(1)}`).toLowerCase()).slice(2, 16).toUpperCase()
}
oresContent[blobHash] = blobPath // Add the blob to the ORES
if (!metaContent["hash_reference_data"].find(a=>a.hash == blobHash)) {
metaContent["hash_reference_data"].push({
"hash": blobHash,
"flag": "9F"
})
}
fs.copyFileSync(blob, path.join(process.cwd(), "staging", "chunk0", blobHash + "." + ((path.extname(blob) == ".json") ? "JSON" :
(path.extname(blob).startsWith(".jp") || path.extname(blob) == ".png") ? "GFXI" :
path.extname(blob).slice(1).toUpperCase()))) // Copy the actual blob to the staging directory
}
}
fs.writeFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.meta.JSON"), JSON.stringify(metaContent))
fs.rmSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.meta"))
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.meta.JSON")}"`) // Rebuild the meta
fs.writeFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.JSON"), JSON.stringify(oresContent))
fs.rmSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES"))
child_process.execSync(`"Third-Party\\OREStool.exe" "${path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.json")}"`) // Rebuild the ORES
fs.copyFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES"), path.join(process.cwd(), "staging", "chunk0", "00858D45F5F9E3CA.ORES"))
fs.copyFileSync(path.join(process.cwd(), "temp", oresChunk, "ORES", "00858D45F5F9E3CA.ORES.meta"), path.join(process.cwd(), "staging", "chunk0", "00858D45F5F9E3CA.ORES.meta")) // Copy the ORES to the staging directory
fs.emptyDirSync(path.join(process.cwd(), "temp"))
sentryBlobsTransaction.finish()
}
/* -------------------------------------- Runtime packages -------------------------------------- */
if (manifest.runtimePackages) {
runtimePackages.push(...manifest.runtimePackages.map(a=>{
return {
chunk: a.chunk,
path: a.path,
mod: mod
}
}))
}
/* ---------------------------------------- Dependencies ---------------------------------------- */
if (manifest.dependencies) {
let sentryDependencyTransaction = sentryModTransaction.startChild({
op: "stage",
description: "Dependencies",
})
configureSentryScope(sentryDependencyTransaction)
let doneHashes = []
for (let dependency of manifest.dependencies) {
if (doneHashes.includes(typeof dependency == "string" ? dependency : dependency.runtimeID)) { continue }
doneHashes.push(typeof dependency == "string" ? dependency : dependency.runtimeID)
fs.emptyDirSync(path.join(process.cwd(), "temp"))
await rpkgInstance.callFunction(`-extract_non_base_hash_depends_from "${path.join(config.runtimePath)}" -filter "${typeof dependency == "string" ? dependency : dependency.runtimeID}" -output_path temp`)
let allFiles = klaw(path.join(process.cwd(), "temp")).filter(a=>a.stats.size > 0).map(a=>a.path).map(a=>{ return {rpkg: (/00[0-9A-F]*\..*?\\(chunk[0-9]*(?:patch[0-9]*)?)\\/gi).exec(a)[1], path: a} }).sort((a,b) => b.rpkg.localeCompare(a.rpkg, undefined, {numeric: true, sensitivity: 'base'}))
// Sort files by RPKG name in descending order
let allFilesSuperseded = []
allFiles.forEach(a => { if (!allFilesSuperseded.some(b => path.basename(b) == path.basename(a.path))) { allFilesSuperseded.push(a.path) } })
// Add files without duplicates (since the list is in desc order patches are first which means that superseded files are added correctly)
allFilesSuperseded = allFilesSuperseded.filter(a=>!/chunk[0-9]*(?:patch[0-9]*)?\.meta/gi.exec(path.basename(a)))
// Remove RPKG metas
fs.ensureDirSync(path.join(process.cwd(), "staging", typeof dependency == "string" ? "chunk0" : dependency.toChunk))
allFilesSuperseded.forEach(file => {
fs.copySync(file, path.join(process.cwd(), "staging", typeof dependency == "string" ? "chunk0" : dependency.toChunk, path.basename(file)), { overwrite: false }) // Stage the files, but don't overwrite if they already exist (such as if another mod has edited them)
})
fs.emptyDirSync(path.join(process.cwd(), "temp"))
}
sentryDependencyTransaction.finish()
}
/* ------------------------------------- Package definition ------------------------------------- */
if (manifest.packagedefinition) {
packagedefinition.push(...manifest.packagedefinition)
}
/* ------------------------------------------- Thumbs ------------------------------------------- */
if (manifest.thumbs) {
thumbs.push(...manifest.thumbs)
}
/* ---------------------------------------- Localisation ---------------------------------------- */
if (manifest.localisation) {
for (let language of Object.keys(manifest.localisation)) {
for (let string of Object.entries(manifest.localisation[language])) {
localisation.push({
language: language,
locString: string[0],
text: string[1]
})
}
}
}
if (manifest.localisationOverrides) {
for (let locrHash of Object.keys(manifest.localisationOverrides)) {
if (!localisationOverrides[locrHash]) { localisationOverrides[locrHash] = [] }
for (let language of Object.keys(manifest.localisationOverrides[locrHash])) {
for (let string of Object.entries(manifest.localisationOverrides[locrHash][language])) {
localisationOverrides[locrHash].push({
language: language,
locString: string[0],
text: string[1]
})
}
}
}
}
if (manifest.localisedLines) {
let sentryLocalisedLinesTransaction = sentryModTransaction.startChild({
op: "stage",
description: "Localised lines",
})
configureSentryScope(sentryLocalisedLinesTransaction)
for (let lineHash of Object.keys(manifest.localisedLines)) {
fs.ensureDirSync(path.join(process.cwd(), "staging", "chunk0"))
fs.writeFileSync(path.join(process.cwd(), "staging", "chunk0", lineHash + ".LINE"), Buffer.from(hexflip(crc32(manifest.localisedLines[lineHash].toUpperCase()).toString(16)) + "00", "hex")) // Create the LINE file
fs.writeFileSync(path.join(process.cwd(), "staging", "chunk0", lineHash + ".LINE.meta.JSON"), JSON.stringify({ // Create its meta
"hash_value": lineHash,
"hash_offset": 163430439,
"hash_size": 2147483648,
"hash_resource_type": "LINE",
"hash_reference_table_size": 13,
"hash_reference_table_dummy": 0,
"hash_size_final": 5,
"hash_size_in_memory": 4294967295,
"hash_size_in_video_memory": 4294967295,
"hash_reference_data": [
{
"hash": "00F5817876E691F1", // localisedLines only supports localisation key
"flag": "1F"
}
]
}))
await rpkgInstance.callFunction(`-json_to_hash_meta "${path.join(process.cwd(), "staging", "chunk0", lineHash + ".LINE.meta.JSON")}"`) // Rebuild the meta
}
sentryLocalisedLinesTransaction.finish()
}
sentryModTransaction.finish()
}
}
sentryModsTransaction.finish()
if (config.outputToSeparateDirectory) {
fs.emptyDirSync(path.join(process.cwd(), "Output"))
} // Make output folder
/* ---------------------------------------------------------------------------------------------- */
/* WWEV patches */
/* ---------------------------------------------------------------------------------------------- */
let sentryWWEVTransaction = sentryTransaction.startChild({
op: "stage",
description: "sfx.wem files",
})
configureSentryScope(sentryWWEVTransaction)
for (let entry of Object.entries(WWEVpatches)) {
logger.debug("Patching WWEV " + entry[0])
fs.emptyDirSync(path.join(process.cwd(), "temp"))
let WWEVhash = entry[0]
let rpkgOfWWEV
try {
rpkgOfWWEV = await rpkgInstance.getRPKGOfHash(WWEVhash)
} catch {
logger.error("Couldn't find the WWEV in the game files! Make sure you've installed the framework in the right place.")
}
await rpkgInstance.callFunction(`-extract_wwev_to_ogg_from "${path.join(config.runtimePath)}" -filter "${WWEVhash}" -output_path temp`) // Extract the WWEV
let workingPath = path.join(process.cwd(), "temp", "WWEV", rpkgOfWWEV + ".rpkg", fs.readdirSync(path.join(process.cwd(), "temp", "WWEV", rpkgOfWWEV + ".rpkg"))[0])
for (let patch of entry[1]) {
fs.copyFileSync(patch.filepath, path.join(workingPath, "wem", patch.index + ".wem")) // Copy the wem
}
await rpkgInstance.callFunction(`-rebuild_wwev_in "${path.resolve(path.join(workingPath, ".."))}"`) // Rebuild the WWEV
fs.ensureDirSync(path.join(process.cwd(), "staging", entry[1][0].chunk))
fs.copyFileSync(path.join(workingPath, WWEVhash + ".WWEV"), path.join(process.cwd(), "staging", entry[1][0].chunk, WWEVhash + ".WWEV"))
fs.copyFileSync(path.join(workingPath, WWEVhash + ".WWEV.meta"), path.join(process.cwd(), "staging", entry[1][0].chunk, WWEVhash + ".WWEV.meta")) // Copy the WWEV and its meta
}
sentryWWEVTransaction.finish()
/* ---------------------------------------------------------------------------------------------- */
/* Runtime packages */
/* ---------------------------------------------------------------------------------------------- */
logger.info("Copying runtime packages")
let runtimePatchNumber = 201
for (let runtimeFile of runtimePackages) {
fs.copyFileSync(path.join(process.cwd(), "Mods", runtimeFile.mod, runtimeFile.path), config.outputToSeparateDirectory ? path.join(process.cwd(), "Output", "chunk" + runtimeFile.chunk + "patch" + runtimePatchNumber + ".rpkg") : path.join(config.runtimePath, "chunk" + runtimeFile.chunk + "patch" + runtimePatchNumber + ".rpkg"))