-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathrenderer.js
2685 lines (2335 loc) · 102 KB
/
renderer.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 { ipcRenderer, ipcMain } = require('electron');
const path = require('path');
const fs = require('fs');
const { shell } = require('electron');
//HMC 尽量不要在渲染进程中使用
const HMC = require("hmc-win32");
const { get } = require('http');
const { loadEnvFile } = require('process');
document.addEventListener('DOMContentLoaded', async () => {
//------------user-config----------------
let lang = localStorage.getItem('lang') || 'en';
let theme = localStorage.getItem('theme') || 'dark';
let isFullScreen = localStorage.getItem('fullscreen') === 'true';
const bounds = localStorage.getItem('bounds');
// modRootDir: modLoader用于加载mod的根目录
let modRootDir = localStorage.getItem('modRootDir') || __dirname;
// modSourceDir: mod的存储目录
let modSourceDir = localStorage.getItem('modSourceDir') || '';
//是否自动应用,自动在zzz中刷新,使用管理员权限
let ifAutoApply = localStorage.getItem('ifAutoApply') || false;
let ifAutoRefreshInZZZ = localStorage.getItem('ifAutoRefreshInZZZ') || false;
let ifUseAdmin = localStorage.getItem('ifUseAdmin') || false;
//是否自动启动游戏
let ifAutoStartGame = localStorage.getItem('ifAutoStartGame') || false;
let gameDir = localStorage.getItem('gameDir') || '';
let modLoaderDir = localStorage.getItem('modLoaderDir') || '';
//配置切换选项
let ifAskSwitchConfig = localStorage.getItem('ifAskSwitchConfig') || false;
let configRootDir = localStorage.getItem('configRootDir') || '';
//--------------状态变量----------------
let currentPreset = '';
let editMode = false;
let mods = [];
let modCharacters = [];
let modFilterCharacter = 'All';
let compactMode = false;
let currentMod = '';
let ifAskedSwitchConfig = false;
let currentConfig = '';
//--------------Intersect Observer----------------
// 创建 Intersection Observer
// 用于检测modItem是否在视窗内,如果在视窗内则使其inWindow属性为true,否则为false
// 用来代替 getBoundingClientRect() 来判断元素是否在视窗内,getBoundingClientRect()会导致页面重绘
const observer = new IntersectionObserver((entries) => {
entries.forEach(entry => {
const modItem = entry.target;
// 如果元素在视口内,则使其inWindow属性为true
modItem.inWindow = entry.isIntersecting ? true : false;
//debug
//console.log(`modItem ${modItem.id} inWindow:${modItem.inWindow}`);
});
}, {
root: null, // 使用视口作为根
rootMargin: '250px 100px', // 扩展视口边界
threshold: 0 // 只要元素进入视口就触发回调
});
//----------------------页面元素----------------------
const drawerPage = document.getElementById('drawer-page');
const settingsDialog = document.getElementById('settings-dialog');
//设置页面
const settingsMenu = document.getElementById('settings-menu');
const settingsDialogTabs = document.querySelectorAll('.settings-dialog-tab');
//帮助页面
const helpDialog = document.getElementById('help-dialog-cn');
const helpDialogEn = document.getElementById('help-dialog-en');
//预设列表相关
const presetContainer = document.getElementById('preset-container');
const presetListDisplayButton = document.getElementById('preset-list-button');
const presetAddButton = document.getElementById('preset-item-add');
const presetNameInput = document.getElementById('add-preset-name');
const presetAddConfirmButton = document.getElementById('preset-add-confirm');
const presetEditButton = document.getElementById('preset-item-edit');
const addPresetDialog = document.getElementById('add-preset-dialog');
//控制按钮
const settingsShowButton = document.getElementById('settings-show-button');
const fullScreenButton = document.getElementById('fullscreen-button');
const fullScreenSvgpath = document.getElementById('fullscreen-button-svgpath');
//mod筛选相关
const modFilterScroll = document.getElementById('mod-filter-scroll');
const modFilterSelected = document.getElementById('mod-filter-selected');
const modFilter = document.getElementById('mod-filter');
const modFilterAll = document.getElementById('mod-filter-all');
const modFilterBg = document.getElementById('mod-filter-bg');
//mod列表相关
const modContainer = document.getElementById('mod-container');
const applyBtn = document.getElementById('apply-btn');
const unknownModDialog = document.getElementById('unknown-mod-dialog');
const compactModeButton = document.getElementById('compact-mode-button');
//mod info 相关
const modInfoName = document.getElementById('mod-info-name');
const modInfoCharacter = document.getElementById('mod-info-character');
const modInfoDescription = document.getElementById('mod-info-description');
const modInfoImage = document.getElementById('mod-info-image');
const infoShowButton = document.getElementById('info-show-button');
//mod info 页面的按钮:
//打开mod链接
const openModUrlButton = document.getElementById('open-mod-url');
//打开mod文件夹
const openModFolderButton = document.getElementById('open-mod-dir');
//编辑mod.json文件
const editModInfoButton = document.getElementById('edit-mod-info');
const editModInfoDialog = document.getElementById('edit-mod-info-dialog');
const ifSaveChangeDialog = document.getElementById('save-change-dialog');
//设置初始化按钮
const initConfigButton = document.getElementById('init-config-button');
const refreshDialog = document.getElementById('refresh-dialog');
// help 页面
const helpMenu = document.querySelector('#help-dialog-cn #help-menu');
const helpMenuEn = document.querySelector('#help-dialog-en #help-menu');
const helpDialogTabs = document.querySelectorAll('#help-dialog-cn .help-dialog-tab');
const helpDialogTabsEn = document.querySelectorAll('#help-dialog-en .help-dialog-tab');
// 选择配置文件
const switchConfigDialog = document.getElementById('switch-config-dialog');
//-=================检测是否是第一次打开=================
// 检测是否是第一次打开
const firstOpen = localStorage.getItem('firstOpen');
// debug
// console.log(localStorage);
if (!firstOpen) {
firstLoad();
}
else {
init();
}
//-==============事件监听================
//重新排序modItem
async function sortMods(hideItem) {
// 获取所有显示的modItem
const modItems = document.querySelectorAll('.mod-item:not([style*="display: none"])');
// 卡片的宽高
const cardHeight = compactMode ? 150 : 350;
const cardWidth = 250;
// 计算每行的modItem数量
const modItemPerRow = Math.floor(modContainer.offsetWidth / 250);
// 通过每个modItem的编号,我们可以计算出它的行和列
// 通过行和列,我们可以计算出它的位置
// 之后,我们可以计算删除 hideItem 后,其他 modItem 的位置
// 再次计算每个 modItem 的位置
// 之后,为视窗内的 modItem 添加动画,使其移动到新的位置
// 最后,实际隐藏 hideItem,其他的 modItem 会自动填补空缺
// 如果计算无误,中间不会发生闪烁
// 获取 hideItem 的 编号
const hideItemIndex = Array.from(modItems).indexOf(hideItem);
// 获取 hideItem 的行和列
const modItemRow = Math.floor(hideItemIndex / modItemPerRow);
const modItemColumn = hideItemIndex % modItemPerRow;
// 下面的方法效率较低,这里将其重构
// 不需要计算每个mod的row和column,只需要计算hideItem的row和column,之后可以根据hideItem的row和column计算其他mod的位置
// debug
console.log(`modItemLength:${modItems.length} modItemPerRow:${modItemPerRow} modItemsMaxRow:${Math.ceil(modItems.length / modItemPerRow)}`);
console.log(`hideItemIndex:${hideItemIndex} modItemRow:${modItemRow} modItemColumn:${modItemColumn}`);
for (let row = modItemRow; row < Math.ceil(modItems.length / modItemPerRow); row++) {
for (let column = 0; column < modItemPerRow; column++) {
const currentId = row * modItemPerRow + column;
// 获取当前 modItem
const currentModItem = modItems[currentId];
if (currentId <= hideItemIndex || currentMod.inWindow == false) {
continue;
}
if (currentId >= modItems.length) {
break;
}
// 对于这个 位于 row 行 column 列的 modItem,我们需要计算它的位置
// 获取当前 modItem 的位置
const currentX = column * (cardWidth + 10);
const currentY = row * (cardHeight + 10);
let targetX, targetY;
// 获取目标 modItem 的位置
if (column == 0) {
// 如果它的列数为 0,那么它会移动到上一行的最后
targetX = (modItemPerRow - 1) * (cardWidth + 10);
targetY = (row - 1) * (cardHeight + 10);
}
else {
// 如果它的列数不为 0,那么它会移动到上一个 modItem 的位置,即 column - 1
targetX = (column - 1) * (cardWidth + 10);
targetY = row * (cardHeight + 10);
}
// 添加动画,transform 指定的应该是相对位移,目标位置减去当前位置
//debug
console.log(`currentModItem:${currentModItem.id} currentX:${currentX} currentY:${currentY} targetX:${targetX} targetY:${targetY}`);
currentModItem.animate([
{ transform: `translate(0px, 0px) scale(0.95)` },
{ transform: `translate(${(targetX - currentX) / 2}px, ${(targetY - currentY) / 2}px) scale(0.8)` },
{ transform: `translate(${targetX - currentX}px, ${targetY - currentY}px) scale(0.9)` }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
}
}
// 在0.3秒内隐藏 hideItem
hideItem.animate([
{ opacity: 1 },
{ opacity: 0 }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
//当动画结束后,将其display设置为none(也就是0.3秒后)
setTimeout(() => {
hideItem.style.display = 'none';
}, 300);
}
//使用事件委托处理点击事件,减少事件绑定次数
modContainer.addEventListener('click', (event) => {
const modItem = event.target.closest('.mod-item');
if (!modItem) {
//snack('Invalid click target');
return;
}
// 切换modItem的显示状态
clickModItem(modItem, event, modItem.getBoundingClientRect());
// 展示mod的信息
currentMod = modItem.id;
showModInfo(currentMod);
//一旦点击了modItem,将其保存在currentPreset中
savePreset(currentPreset);
// 如果开启了自动应用,则自动应用
if (ifAutoApply == 'true') {
applyMods();
}
// 如果modFilterCharacter为Selected,则将modItem切换为 clicked = false 的时候
// 则需要重新排序modItem
if (modFilterCharacter == 'Selected' && !modItem.checked) {
sortMods(modItem);
}
}
);
//如果是右键点击,则显示编辑mod.json的对话框
modContainer.addEventListener('contextmenu', (event) => {
const modItem = event.target.closest('.mod-item');
if (!modItem) {
return;
}
//显示编辑mod.json的对话框
currentMod = modItem.id;
showEditModInfoDialog();
});
//---------------------处理拖动事件---------------------
//处理拖动事件,有三种可能:
//1.拖动文件到modContainer的任意位置,视为添加mod
//2.拖动图片文件到modItem上,视为更改mod的封面
//3.拖动zip文件到modItem上,视为添加mod,但是暂时不实现
function handleDropEvent(event, modItem, mod) {
const items = event.dataTransfer.items;
// 只处理第一个文件
const item = items[0].webkitGetAsEntry();
// 从网页和本地拖入的文件似乎格式不一样
// 一个是 File 对象,一个是 Entry 对象
// 从网页拖入的文件是 File 对象,它没有 webkitGetAsEntry 方法,但是可以通过 type 属性判断文件类型
// 从本地拖入的文件是 Entry 对象,它有 webkitGetAsEntry 方法,可以通过getAsFile方法获取 File 对象
try {
items[0].webkitGetAsEntry();
// 如果上面的代码没有报错,说明是从本地拖入的文件
// debug
console.log(`get entry from drag event ${item.fullPath}`);
if (item.isDirectory) {
console.log('Directory:', item.fullPath);
handleFolderDrop(item);
return;
}
if (item.isFile) {
// 如果拖入的是文件,则视为用户想要更换mod的封面或者添加mod 压缩包
const file = items[0].getAsFile();
if (file.type.startsWith('image/')) {
// 交给 handleImageDrop 处理
handleImageDrop(file, modItem, mod);
return;
}
if (file.name.endsWith('.zip')) {
// 交给 handleZipDrop 处理
handleZipDrop(file, modItem, mod);
return;
}
console.log('File type:', file.type);
snack('Invalid file type:' + file.type);
}
} catch (error) {
// webkitGetAsEntry 方法不存在,说明是从网页拖入的文件
// 从网页拖入的文件是 File 对象。
try {
const files = event.dataTransfer.files;
//debug
console.log(`get file from drag event ${files[0].name}`);
if (files.length > 0) {
const file = files[0];
if (file.type.startsWith('image/')) {
// 交给 handleImageDrop 处理
handleImageDrop(file, modItem, mod);
return;
}
console.log('File type:', file.type);
snack('Invalid file type:' + file.type);
}
}
catch (error) {
console.log('Invalid drag event');
snack('Invalid drag event');
}
}
}
function handleFolderDrop(item) {
// 如果拖入的是文件夹,则视为用户想要添加一个mod
// 检查是否已经存在同名的mod
//debug
console.log(`handle folder drop: ${item.fullPath}`);
// 这里的 item.fullPath 是一个虚拟路径,以 / 开头,需要去掉
const modName = item.fullPath.slice(1);
if (fs.existsSync(path.join(modSourceDir, modName))) {
snack(`Mod ${modName} already exists`);
return;
}
// 将文件夹拷贝到 modSourceDir 中
// 但是这里的 item 的 fullPath 是一个虚拟路径,无法直接使用 fs 进行操作
// 但是我们可以递归读取每一个文件,然后将其拷贝到 modSourceDir 的对应位置
copyFolder(item, modSourceDir);
// 复制完成后,刷新 modList
//debug
console.log(`Copied folder: ${item.fullPath}`);
loadModList(() => {
// 刷新完成后,弹出提示
snack(`Added mod ${modName}`);
// 将筛选设置为 unknown
setFilter('Unknown');
currentMod = modName;
showEditModInfoDialog();
});
}
// 递归复制文件夹
function copyFolder(item, targetDir) {
// debug
console.log(`copy folder ${item.fullPath} to ${targetDir}`);
const relativePath = item.fullPath.slice(1); // 去掉开头的 '/'
const targetPath = path.join(targetDir, relativePath);
if (item.isDirectory) {
if (!fs.existsSync(targetPath)) {
fs.mkdirSync(targetPath, { recursive: true });
}
const reader = item.createReader();
reader.readEntries((entries) => {
entries.forEach((entry) => {
copyFolder(entry, targetDir);
});
});
} else if (item.isFile) {
item.file((file) => {
const reader = new FileReader();
reader.onload = () => {
const buffer = Buffer.from(reader.result);
// 如果 targetPath 不存在,则创建文件
console.log(`Copied file from ${item.fullPath} to ${targetPath}`);
fs.writeFileSync(targetPath, buffer);
};
reader.readAsArrayBuffer(file);
});
}
}
function handleImageDrop(file, modItem, mod) {
// 再次确认是否是图片文件
if (!file.type.startsWith('image/')) {
snack('Invalid image file');
return;
}
// 因为electron的file对象不是标准的file对象,所以需要使用reader来读取文件
const reader = new FileReader();
reader.onload = (event) => {
const imageUrl = event.target.result;
updateModCardCover(imageUrl, modItem, mod);
};
reader.readAsDataURL(file);
}
function handleZipDrop(file, modItem, mod) {
//debug
console.log(`handle zip drop: ${file.name}`);
//snack 提示
snack('Not implemented yet');
}
//使用事件委托处理拖放事件:
// 当拖动文件且悬停在modItem上时,显示拖动的mod的信息
modContainer.addEventListener('dragover', (event) => {
event.preventDefault();
const modItem = event.target.closest('.mod-item'); //获取拖动的modItem
if (modItem) {
event.dataTransfer.dropEffect = 'copy';
currentMod = modItem.id;
showModInfo(currentMod);
}
});
modContainer.addEventListener('drop', (event) => {
event.preventDefault();
const modItem = event.target.closest('.mod-item');
modItem ? handleDropEvent(event, modItem, modItem.id) : handleDropEvent(event, '', currentMod);
});
//同样为edit-mod-info-left添加拖放事件
const editModInfoLeft = document.getElementById('edit-mod-info-left');
editModInfoLeft.addEventListener('dragover', (event) => {
event.preventDefault();
event.dataTransfer.dropEffect = 'copy';
});
//同样为edit-mod-info-left添加拖放事件
editModInfoLeft.addEventListener('drop', (event) => {
event.preventDefault();
const file = event.dataTransfer.files[0];
handleImageDrop(file, '', currentMod);
//这里只显示,保存在点击保存按钮时才会保存
const imagePath = getModImagePath(currentMod);
//debug
console.log(`imagePath:${imagePath}`);
//显示图片
imagePath.then((path) => {
editModInfoDialog.querySelector('#editDialog-mod-info-image').setAttribute('src', path);
tempImagePath = path;
});
//设置 currentInfo 为空
//拖放结束后,隐藏editModInfoDialog
//editModInfoDialog.dismiss();
//因为没有modItem,所以在结束后需要刷新mod
loadModList(() => {
// 刷新完成后,弹出提示
//snack(`Updated cover for ${currentMod}`);
// 将筛选设置为 当前mod 的 character
const modInfo = ipcRenderer.invoke('get-mod-info', currentMod);
modInfo.then((info) => {
setFilter(info.character);
});
});
showModInfo('');
setTimeout(() => {
showModInfo(currentMod);
}, 500);
});
async function updateModCardCover(imageUrl, modItem, mod) {
// 将图片保存到modSource文件夹中,文件名为preview+后缀名,并且将其保存到mod.json中
//debug
console.log(`update mod card cover of ${mod} with ${imageUrl}`);
const imageExt = imageUrl.split(';')[0].split('/')[1];
const modImageName = `preview.${imageExt}`;
const modImageDest = path.join(modSourceDir, mod, modImageName);
fs.writeFileSync(modImageDest, imageUrl.split(',')[1], 'base64');
// 更新mod.json
const modInfo = await ipcRenderer.invoke('get-mod-info', mod);
//debug
console.log(`modInfo:`, modInfo);
modInfo.imagePath = modImageName;
ipcRenderer.invoke('set-mod-info', mod, modInfo);
// 更新modItem的图片
if (modItem != '') {
modItem.querySelector('img').src = modImageDest;
}
// 刷新侧边栏的mod信息
showModInfo(mod);
// snack提示
snack(`Updated cover for ${mod}`);
// 返回 图片的路径
return modImageDest;
}
async function loadPresets() {
editMode = false;
const presets = await ipcRenderer.invoke('get-presets');
const presetContainerCount = presetContainer.childElementCount;
const fragment = document.createDocumentFragment();
presets.forEach((preset, index) => {
var presetItem;
if (index < presetContainerCount) {
presetItem = presetContainer.children[index];
}
else {
presetItem = document.createElement('s-button');
presetItem.className = 'left-adhesive-button font-hongmeng';
presetItem.id = 'preset-item';
presetItem.type = "elevated";
fragment.appendChild(presetItem);
}
presetItem.name = preset;
presetItem.innerHTML = preset;
if (fragment.children.length == presets.length - presetContainerCount) {
presetContainer.appendChild(fragment);
}
});
//删除多余的presetItem
if (presets.length < presetContainerCount) {
for (let i = presets.length; i < presetContainerCount; i++) {
presetContainer.removeChild(presetContainer.children[presets.length]);
}
}
}
function deletePreset(presetName) {
//debug
console.log("🔴delete presetItem" + presetName);
//禁止删除和currentPreset相同的preset
if (currentPreset == presetName) {
snack('Cannot delete current preset');
return;
}
ipcRenderer.invoke('delete-preset', presetName);
//将自己的父元素删除
const allpresetItems = document.querySelectorAll('#preset-item');
allpresetItems.forEach(item => {
if (item.name == presetName) {
//删除自己的父元素
item.parentNode.removeChild(item);
}
});
}
async function applyPreset(presetName) {
console.log("🟢load presetItem " + presetName);
if (currentPreset == presetName) {
//如果点击的是当前的preset,则不进行任何操作
return;
}
currentPreset = presetName;
const selectedMods = await ipcRenderer.invoke('load-preset', presetName);
document.querySelectorAll('.mod-item').forEach(item => {
//debug
//console.log(`item.id:${item.id} selectedMods:${selectedMods.includes(item.id)}`);
if (item.checked && !selectedMods.includes(item.id)) {
clickModItem(item);
}
if (!item.checked && selectedMods.includes(item.id)) {
clickModItem(item);
}
});
//更改样式
const allpresetItems = document.querySelectorAll('#preset-item');
allpresetItems.forEach(item => {
item.type = 'elevated';
if (item.name == presetName) {
item.type = 'filled';
}
}
);
//刷新筛选
if (modFilterCharacter == 'Selected') {
filterMods();
}
//如果开启了自动应用,则自动应用
if (ifAutoApply == true) {
applyMods();
}
}
//使用事件委托处理点击事件,减少事件绑定次数
presetContainer.addEventListener('click', async (event) => {
const presetItem = event.target.closest('#preset-item');
presetItem ? editMode ? deletePreset(presetItem.name) : applyPreset(presetItem.name) : null;
});
function filterMods() {
//如果modFilterCharacter为All,则将所有的modItem显示
if (modFilterCharacter == 'All') {
//将所有的modItem显示
document.querySelectorAll('.mod-item').forEach(item => {
item.style.display = 'block';
});
return;
}
//如果modFilterCharacter为Selected,则将所有checked="true"的modItem显示
if (modFilterCharacter == 'Selected') {
//将所有的modItem显示
document.querySelectorAll('.mod-item').forEach(item => {
if (item.checked == true && item.style.display == 'none') {
//如果不在视窗内,则直接显示
if (!item.inWindow) {
item.style.display = 'block';
return;
}
//添加出现动画
item.style.display = 'block';
item.animate([
{ opacity: 0 },
{ opacity: 1 }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
}
if (item.checked == false && item.style.display != 'none') {
//如果不在视窗内,则直接隐藏
if (!item.inWindow) {
item.style.display = 'none';
return;
}
//添加消失动画
item.animate([
{ opacity: 1 },
{ opacity: 0 }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
//当动画结束后,将其display设置为none(也就是0.3秒后)
setTimeout(() => {
item.style.display = 'none';
}, 300);
}
});
return;
}
//如果modFilterCharacter为其他,则将所有character=modFilterCharacter的modItem显示
document.querySelectorAll('.mod-item').forEach(item => {
if (modFilterCharacter == item.character) {
item.style.display = 'block';
}
else {
item.style.display = 'none';
}
}
);
}
function refreshModFilter() {
//debug
console.log(`modCharacters:${modCharacters}`);
modFilter.innerHTML = '';
modCharacters.forEach(character => {
const filterItem = document.createElement('s-chip');
filterItem.type = 'default';
filterItem.class = 'font-hongmeng';
filterItem.id = character;
filterItem.selectable = true;
filterItem.innerHTML = `<p>${character}</p>`;
modFilter.appendChild(filterItem);
}
);
}
//使用事件委托处理点击事件,减少事件绑定次数
modFilter.addEventListener('click', (event) => {
const filterItem = event.target.closest('s-chip');
if (filterItem) {
const character = filterItem.id;
//debug
console.log("clicked filterItem " + character);
modFilterCharacter = character;
modFilterAll.type = 'default';
modFilterSelected.type = 'default';
//将自己的type设置为filled,其他的设置为default
const allfilterItems = document.querySelectorAll('#mod-filter s-chip');
allfilterItems.forEach(item => {
item.style.color = 'var(--s-color-on-surface)';
});
// 不再需要 type = 'filled' 的效果,因为现在使用bg来代替
// filterItem.type = 'filled';
// 更改字体颜色
filterItem.style.color = 'var(--s-color-on-primary)';
// 将bg的宽度设置为当前filterItem的宽度,并且设置bg的left为当前filterItem的left
const filterItemRect = filterItem.getBoundingClientRect();
//这里获取的left是相对于视窗的,所以需要减去modFilter的left
const modFilterRect = modFilter.getBoundingClientRect();
//bg.style.visibility = 'visible';
//width 还需要减去padding的量
modFilterBg.style.height = `${filterItemRect.height}px`;
modFilterBg.style.width = `${filterItemRect.width - 15}px`;
modFilterBg.style.top = `${filterItemRect.top - modFilterRect.top}px`;
modFilterBg.style.left = `${filterItemRect.left - modFilterRect.left + 4}px`;
//0.5s后将bg隐藏
filterMods();
}
}
);
function setFilter(character) {
if (character == 'All') {
modFilterAll.click();
return;
}
if (character == 'Selected') {
modFilterSelected.click();
return;
}
// 检查是否存在这个character
if (!modCharacters.includes(character)) {
modFilterAll.click();
return;
}
const filterItems = document.querySelectorAll('#mod-filter s-chip');
filterItems.forEach(item => {
//debug
//console.log(`item.id:${item.id} character:${character}`);
if (item.id == character) {
item.click();
}
}
);
}
async function savePreset(presetName) {
if (presetName == '') {
return;
}
// presetName 应该是已经存在的 preset
if (presetName) {
const selectedMods = Array.from(document.querySelectorAll('.mod-item')).filter(item => item.checked).map(input => input.id);
await ipcRenderer.invoke('save-preset', presetName, selectedMods);
// await loadPresets();
}
}
async function showModInfo(mod) {
if (mod == '') {
//将modInfo清空
modInfoName.textContent = '';
modInfoCharacter.textContent = '';
modInfoDescription.textContent = '';
modInfoImage.style.backgroundImage = '';
return;
}
const modInfo = await ipcRenderer.invoke('get-mod-info', mod);
//将info显示在 modInfo 中
modInfoName.textContent = mod;
modInfoCharacter.textContent = modInfo.character ? modInfo.character : 'Unknown';
//keyswap 是 一个 列表,用来存储 快捷键信息,将其转换为字符串,之后添加到description中
let swapInfo = modInfo.keyswap.length >0 ? "keyswap : " + modInfo.keyswap.join(' ') : 'no keyswap';
modInfoDescription.innerHTML = swapInfo + '<br>' + (modInfo.description ? modInfo.description : 'No description');
//获取mod的图片
let modImagePath = await getModImagePath(mod);
// 替换反斜杠为斜杠
modImagePath = modImagePath.replace(/\\/g, '/');
// 设置其backgroundImage
modInfoImage.style.backgroundImage = `url("${encodeURI(modImagePath)}")`;
// debug
//console.log(`show mod image ${modImagePath}`);
}
//-----------------------------事件监听--------------------------------
//-全屏按钮
fullScreenButton.addEventListener('click', toggleFullscreen);
async function toggleFullscreen() {
isFullScreen = await ipcRenderer.invoke('toggle-fullscreen');
if (!isFullScreen) {
fullScreenSvgpath.setAttribute('d', 'M120-120v-200h80v120h120v80H120Zm520 0v-80h120v-120h80v200H640ZM120-640v-200h200v80H200v120h-80Zm640 0v-120H640v-80h200v200h-80Z');
}
else {
fullScreenSvgpath.setAttribute('d', 'M240-120v-120H120v-80h200v200h-80Zm400 0v-200h200v80H720v120h-80ZM120-640v-80h120v-120h80v200H120Zm520 0v-200h80v120h120v80H640Z');
}
}
//-compactMode按钮
compactModeButton.addEventListener('click', () => {
//切换compactMode
compactMode = !compactMode;
const icon = compactModeButton.querySelector('path');
if (compactMode) {
//设置按钮图标样式
icon.setAttribute('d', 'M480-80 240-320l57-57 183 183 183-183 57 57L480-80ZM298-584l-58-56 240-240 240 240-58 56-182-182-182 182Z');
modContainer.setAttribute('compact', 'true');
//添加折叠动画,modContainer的子物体modItem的高度从350px变为150px
//动画只对窗口内的modItem进行动画
const modItems = document.querySelectorAll('.mod-item');
modItems.forEach(item => {
if (!item.inWindow) {
return;
}
item.animate([
{ height: '350px' },
{ height: '150px' }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
//item下的slot=headline,slot=text,slot=subhead的div元素会缓缓上移
//获取这些元素
//遍历子元素,匹配slot属性
item.childNodes.forEach(child => {
if (child.slot == 'headline' || child.slot == 'subhead' || child.slot == 'text') {
child.animate([
{ transform: 'translateY(200px)' },
{ transform: 'translateY(0px)' }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
}
if (child.slot == 'image') {
//获取slot下的img元素
const img = child.querySelector('img');
img.animate([
{ opacity: 1, filter: 'blur(0px)' },
{ opacity: 0.2, filter: 'blur(5px)' }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
}
});
});
}
else {
//设置按钮图标样式
icon.setAttribute('d', 'm356-160-56-56 180-180 180 180-56 56-124-124-124 124Zm124-404L300-744l56-56 124 124 124-124 56 56-180 180Z');
modContainer.setAttribute('compact', 'false');
//添加展开动画,modContainer的子物体modItem的高度从150px变为350px
//动画只对窗口内的modItem进行动画
const modItems = document.querySelectorAll('.mod-item');
modItems.forEach(item => {
if (!item.inWindow) {
return;
}
item.animate([
{ height: '150px' },
{ height: '350px' }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
//item下的slot=headline,slot=text,slot=subhead的div元素会缓缓下移
//获取这些元素
//遍历子元素,匹配slot属性
item.childNodes.forEach(child => {
if (child.slot == 'headline' || child.slot == 'subhead' || child.slot == 'text') {
child.animate([
{ transform: 'translateY(-200px)' },
{ transform: 'translateY(0px)' }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
}
if (child.slot == 'image') {
//获取slot下的img元素
const img = child.querySelector('img');
img.animate([
{ opacity: 0.2, filter: 'blur(5px)' },
{ opacity: 1, filter: 'blur(0px)' }
], {
duration: 300,
easing: 'ease-in-out',
iterations: 1
});
}
});
});
}
});
//-setting-dialog相关
//-=============================设置页面=============================
//--------------设置语言----------------
const langPicker = document.getElementById('language-picker');
langPicker.addEventListener('click', (event) => {
//langPicker的子元素是input的radio,所以不需要判断到底点击的是哪个元素,直接切换checked的值即可
//获取目前的checked的值
const checked = langPicker.querySelector('input:checked');
//如果点击的是当前的语言,则不进行任何操作
if (!checked) {
console.log("checked is null");
return;
}
if (checked.id == lang) {
return;
}
//根据checked的id来切换语言
setLang(checked.id);
});
//----------------设置theme------------
const themePicker = document.getElementById('theme-picker');
themePicker.addEventListener('click', (event) => {
//themePicker的子元素是input的radio,所以不需要判断到底点击的是哪个元素,直接切换checked的值即可
//获取目前的checked的值
const checked = themePicker.querySelector('input:checked');
//debug
console.log("checked:" + checked.id);
//如果点击的是当前的theme,则不进行任何操作
if (!checked) {
console.log("checked is null");
return;
}
if (checked.id == localStorage.getItem('theme')) {
return;
}
//根据checked的id来切换theme
setTheme(checked.id);