-
Notifications
You must be signed in to change notification settings - Fork 0
/
common.js
1162 lines (1034 loc) · 39.7 KB
/
common.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
/**
* 共通オブジェクト、データ
**/
"use strict";
const path = require('path');
const fs = require('fs'); //ファイルアクセス
const util = require("util");
const readline = require("readline"); //1行ずつ読む
const dggRecord = require("./dggRecord"); //レコードクラス
const i18n = require("./i18n");
const iconv = require("iconv-lite"); //ShiftJISを扱うライブラリ
const { builtinModules } = require('module');
const { common } = require('./dggTouchbar');
const {shell} = require('electron');
//グローバルオブジェクト
const app = null;
const browserWindow = null;
const mainWin = null; //メインウインドウハンドル
const menu = null;
const cmenu = null;
const dialog = null;
const config = null;
const mediaPath = null;
const mediaDuration = null;
const isDirty = false; //未保存データがあるか管理するフラグ
const lang = null;
const records = []; //ログ(dggRecordsオブジェクト)を保持する配列
const _ = null;
const dggTouchBar = null; //TouchBarのシングルトンオブジェクト
let autoSaveTimer; //自動保存のタイマー配列
let autoSaveInterval;
const stat = util.promisify(fs.stat); // fs.statをPromise化
class Common {
constructor() {
//console.log("constructor of common.");
}
/**
* レンダラーのPlayerにvideo/audioタグをセット
* @param {string} path メディアファイルのフルパス
* @example
* openMediaFile(path);
*/
openMediaFile(pth) {
const ext = path.extname(pth).toLowerCase();
if (ext == '.mp4' || ext == '.webm' || ext == '.ogv') {
//動画ファイル
this.mainWin.webContents.send('open-video', pth);
} else {
//音声ファイル
this.mainWin.webContents.send('open-audio', pth);
}
this.mediaPath = pth;
this.menu.enableMenuWhenMediaOpened();
//OSの最近使ったファイルに登録する(Windowsはファイル形式が対応付けられていないと表示されない?)
this.app.addRecentDocument(pth);
//TouchBar表示(macOS)
if (process.platform == 'darwin') {
this.mainWin.setTouchBar(null); //既存オブジェクトをパージ
//console.log("new dggTouchbar");
this.dggTouchBar = require('./dggTouchbar');
this.dggTouchBar.setCommon(this);
this.mainWin.setTouchBar(this.dggTouchBar.getTouchBar());
}
//同名のログファイルが存在する場合は読み込む
const logpath = pth.replace(path.extname(pth),".dggn.txt"); //ログ形式Ver.2の拡張子
//console.log("Searching " + logpath);
if (fs.existsSync(logpath)) {
this.openLogFile(logpath,true);
}
//自動保存タイマーを初期化
this.toggleAutoSave(this.config.get('autoSaveSwitch'),false);
}
/**
* ログファイルを開いてオブジェクトに格納
* @param {string} path //メディアファイルのフルパス
* @param {boolean} clear //trueなら既存ログをクリア
* @example
* openLogFile(path);
*/
openLogFile(pth, clear = false) {
if (clear == true) {
this.clearLog();
}
const text = fs.readFileSync(pth, "utf8");
const lines = text.toString().split(/\r\n|\r|\n/); //macOSで動作確認すべし
//let syncMethod = "";
//第一列が時刻(hh:mm:ss)形式だったら変換処理
const firstTC = lines[0].split('\t')[0]; //1行目1項目を取り出し
console.log(firstTC);
if (/[0-9]{2}:[0-9]{2}:[0-9]{2}/.test(firstTC) == true) {
console.log("Opening syncTimeDialog");
this.openSyncTimeWindow();
//hh:mm:ssを変換しながらインポート
for (var line of lines) {
var cols = line.split("\t");
const regex = /[0-9]{2}:[0-9]{2}:[0-9]{2}/;
if (regex.test(cols[0]) == true){ //第一カラム(タイムスタンプ)がhh:mm:ss形式か判定
console.log(cols[0] + "to" + this.HHMMSSTosec(cols[0]));
let rec = new dggRecord(this.HHMMSSTosec(cols[0]), cols[1], cols[2]);
records.push(rec);
} else {
//第一カラムがhh:mm:ss形式でなければスキップ
console.log('Invalid line: ' + line);
};
}
//計算したオフセットはここでは受け取れずコールバック関数setTimeOffset()で反映
} else {
//通常のインポート処理
//行数だけループ処理
for (var line of lines) {
var cols = line.split("\t");
if (isFinite(cols[0]) == true && cols[0].length > 0){ //第一カラム(タイムスタンプ)が数値か判定
let rec = new dggRecord(cols[0], cols[1], cols[2]);
records.push(rec);
} else {
//第一カラムが数値でなければスキップ
console.log('Invalid line: ' + line);
};
}
}
this.mainWin.webContents.send('add-records-to-list',records); //レンダラーに描画指示
this.setDirtyFlag(false); //ダーティフラグをクリア
//this.menu.enableMenuWhenLogOpened(); //ここでは呼ばれない
}
//全レコードから指定秒数offsetだけ引く
setTimeOffset(offset) {
//console.log("Offset received from dialog: "+ offset);
this.mainWin.webContents.send('clear-records'); //一度リストをクリア
//オフセット秒数補正実行
records.forEach(r => {
//console.log(r.inTime +" " + r.script);
r.inTime = r.inTime - offset;
this.mainWin.webContents.send('add-record-to-list',r); //レンダラーに表示
});
}
/**
* 指定方法で時刻を絶対タイムスタンプに変換して返す
* @param {*} timeOfDay hh:mm:ss形式の文字列
* @param {*} startTime 開始時刻 (hh:mm:ss形式の文字列)
*/
ConvertTimeOfDay2TC(timeOfDay, startTime) {
return HHMMSSTosec(timeOfDay) - HHMMSSTosec(startTime);
}
/**
* 他形式のログファイルをインポート(Premiere Pro/動画眼1.0形式)
* @param {*} pth ファイルのパス
* @param {*} clear trueなら既存のログを削除
*/
importLogFile(pth, clear = false) {
if (clear == true) {
this.clearLog();
}
let text = fs.readFileSync(pth, "utf8");
let lines = text.toString().split(/\r\n|\r|\n/); //macOSで動作確認すべし
//1行目をサンプルとしてファイル形式を推定(1.0形式 or Premiere Pro出力ファイル)
const firstLine = lines[0];
const premiereMatch = firstLine.match(/\d\d:\d\d:\d\d:\d\d - \d\d:\d\d:\d\d:\d\d/);
const dgg1Match = firstLine.match(/^\d\d:\d\d:\d\d\t/);
if (premiereMatch != null && premiereMatch.length == 1) {
console.log("Format is Premiere transcribed txt.");
lines= [];
//改行2連続を1ブロックとして分割
const pRecords = text.toString().split(/\r\n\r\n|\r\r|\n\n/);
pRecords.forEach(r => {
const line = r.split(/\r\n|\r|\n/);
if (line.length == 3) { //3行に満たないレコードは除外
const inTime = this.HHMMSSTosec(line[0].match(/\d\d:\d\d:\d\d/)[0]);
const script = line[2];
const speaker = line[1].match(/ (\d+)/) ? line[1].match(/ (\d+)/)[1] : 0; //話者番号を切り出せたらその数字、NULLなら0を入れる
const rec = new dggRecord(inTime, script, speaker);
records.push(rec);
}
});
if (records.length > 0) {
console.log(records.length + "record(s) found.");
//レンダラーに一括挿入
this.mainWin.webContents.send('add-records-to-list',records); //レンダラーに描画指示
this.setDirtyFlag(true); //ダーティフラグを立てる
}
} else if (dgg1Match != null && dgg1Match.length == 1) {
console.log("Format is do-gagan 1.0.");
//ShiftJISで再読み込み
var reader = fs.createReadStream(pth)
.on('error', (err)=>{reject(err)})
.pipe(iconv.decodeStream("windows-31j")
.collect((err,body)=>{
//console.log(body);
lines = body.split((/\r\n|\r|\n/));
lines.forEach( line => {
if (line.length == 0) return;
const cols = line.split('\t');
const inTime = this.HHMMSSTosec(cols[0]);
const script = cols[1];
console.log(`inTime:${inTime} script:${script}`);
const rec = new dggRecord(inTime, script, 0);
records.push(rec);
});
if (records.length > 0) {
console.log(records.length + "record(s) found.");
//レンダラーに一括挿入
this.mainWin.webContents.send('add-records-to-list',records); //レンダラーに描画指示
this.setDirtyFlag(true); //ダーティフラグを立てる
}
}))
} else {
console.log("No known format found.");
}
// const lines = text.toString().split(/\r\n|\r|\n/); //macOSで動作確認すべし
// for (var line of lines) {
// var cols = line.split("\t");
// if (isFinite(cols[0]) == true && cols[0].length > 0){ //第一カラム(タイムスタンプ)が数値か判定
// let rec = new dggRecord(cols[0], cols[1], cols[2]);
// //tempRecords.push(rec);
// records.push(rec);
// } else {
// //第一カラムが数値でなければスキップ
// console.log('Invalid line: ' + line);
// };
// }
//this.mainWin.webContents.send('add-records-to-list',records); //レンダラーに描画指示
//this.setDirtyFlag(false); //ダーティフラグをクリア
}
/**
* SRT形式の字幕ファイルをインポート
* @param {*} pth ファイルのパス
* @param {*} clear trueなら既存のログを削除
*/
importSrtFile(pth, clear = false) {
if (clear == true) {
this.clearLog();
}
let text = fs.readFileSync(pth, "utf8");
let lines = text.toString().split(/\r\n|\r|\n/); //macOSで動作確認すべし
//Whisper等でスクリプトが空欄だと改行の連続数での分割に失敗するので、“ ”に置換
//改行が三連続の場合、二番目に" "を挿入(改行コード別)
text = text.replace(/\r\n\r\n\r\n/g, "\r\n \r\n\r\n");
text = text.replace(/\r\r\r/g, "\r \r\r");
text = text.replace(/\n\n\n/g, "\n \n\n");
console.log("Format is srt.");
lines= [];
//改行2連続を1ブロックとして分割
const pRecords = text.toString().split(/\r\n\r\n|\r\r|\n\n/);
pRecords.forEach(r => {
const line = r.split(/\r\n|\r|\n/);
if (line.length == 3) { //3行に満たないレコードは除外
console.log("line[1]:" + line[1]);
const tc = line[1].split(" --> ")[0].split(",");
console.log("tc[0]: " + tc[0]);
const inTime = this.HHMMSSTosec(tc[0].match(/\d\d:\d\d:\d\d/)[0]);
const script = line[2];
const speaker = 0; //SRTに含まれないので常に0とする
console.log("No: " + line[0]);
console.log("inTime: " + inTime);
console.log("script: " + script);
// console.log("speaker: " + speaker);
console.log("");
const rec = new dggRecord(inTime, script, speaker);
records.push(rec);
}
});
if (records.length > 0) {
console.log(records.length + "record(s) found.");
//レンダラーに一括挿入
this.mainWin.webContents.send('add-records-to-list',records); //レンダラーに描画指示
this.setDirtyFlag(true); //ダーティフラグを立てる
}
}
/**
* Premiere Proのマーカーcsv形式のファイルをインポート
* @param {*} pth ファイルのパス
* @param {*} clear trueなら既存のログを削除
*/
importPremiereMarkerCSVFile(pth, clear = false) {
//console.log("Format is Premiere Pro Marker CSV.");
if (clear == true) {
this.clearLog();
}
let text = fs.readFileSync(pth, "UTF16LE");
let lines = text.toString().split(/\r\n|\r|\n/); //macOSで動作確認すべし
lines.forEach( line => {
if (line.length == 0) return;
const regex = /[0-9]{2};[0-9]{2};[0-9]{2};/;
const cols = line.split('\t');
if (regex.test(cols[2])){
const col2 = cols[2].split(";");
const inTime = this.HHMMSSTosec(`${col2[0]}:${col2[1]}:${col2[2]}`);
const script = cols[0];
const rec = new dggRecord(inTime, script, 0);
records.push(rec);
} else {
//第3項が"hh;mm;ss"形式でなければスキップ
console.log('Invalid line: ' + line);
return;
}
});
if (records.length > 0) {
console.log(records.length + "record(s) found.");
//レンダラーに一括挿入
this.mainWin.webContents.send('add-records-to-list',records); //レンダラーに描画指示
this.setDirtyFlag(true); //ダーティフラグを立てる
}
}
clearLog() {
records.length = 0;
this.mainWin.webContents.send('clear-records');
this.isDirty = false;
}
/**
* 未保存データ消える前にダイアログを出して処理する
* @param {*} event
*/
handleUnsavedLog(event) {
if (this.isDirty == true) {
const lang = this.config.get('locale') || app.getLocale();
const _ = new i18n(lang, 'dialog');
const options = {
type: 'warning',
buttons: [_.t('UNSAVED_DATA_SAVE'), _.t('UNSAVED_DATA_DISPOSE'), _.t('UNSAVED_DATA_CANCEL')],
title: _.t('UNSAVED_DATA_TITLE'),
message: _.t('UNSAVED_DATA_MESSAGE').replace('%1', path.basename(this.mediaPath).replace(path.extname(this.mediaPath),".dggn.txt")),
defaultId: 3,
cancelId: 2
};
switch (this.dialog.showConfirmation(options)) {
case 0: //上書き保存して終了
this.saveLog();
this.clearLog();
break;
case 1: //破棄して終了
this.clearLog();
break;
case 2: //キャンセル
event.preventDefault();
break;
}
}
}
//--------------------------------
// #region 設定ウインドウ
//--------------------------------
/**
* 保存。パスは指定されない限り動画と同じ。ファイルが存在しなければ作成
* @param {string} path 名前を指定して保存する時のパス
* @param {string} format 保存形式(デフォルトは'2.0')
* @param {boolean} isAutoSave 自動保存ならtrue
*/
async saveLog(pth = '', format = '2.0', isAutoSave = false){
//ファイル名の指定がない場合は動画パスから生成
let logpath = '';
if (pth.length == 0) {
logpath = this.mediaPath.replace(path.extname(this.mediaPath),".dggn.txt"); //ログ形式Ver.2の拡張子
} else {
logpath = pth;
}
//名前をつけて保存、自動上書き保存以外の時はバックアップファイルを作成
if (pth.length == 0 && isAutoSave == false && fs.existsSync(logpath)) {
let shouldBackup = this.config.get('backupFile');
//console.log("backup file:" + shouldBackup);
if (shouldBackup == true) {
let backupPath = logpath.replace(path.extname(logpath),".bak");
//console.log(backupPath);
fs.copyFileSync(logpath, backupPath);
}
}
//改行コードの決定
var ret = '\r'; //デフォルトでUNIX系改行コード
if (process.platform == 'win32') {
//console.log("win");
ret = '\r\n';
} else if (process.platform == 'darwin') {
//console.log("mac");
ret = '\n';
}
let body = "";
let charset = 'utf8';
const _ = new this.i18n(this.lang, 'default');
//Youtube用の注意書きを挿入(改行コードを置換)
if (format == 'youtube'){
body += _.t('YOUTUBE_CHAPTER_GUIDE');
body = body.replace('\n', ret);
//先頭チャプターが0ではない場合、追加する
if (parseInt(records[0].inTime) != 0){
console.log("Adding 0 chapter.");
body += this.secToYoutubeChapterTimeCode(0, this.mediaDuration) + ` ` + _.t('YOUTUBE_CHAPTER_START') + ret;
};
}
//データ作成
records.forEach(r => {
switch (format) {
case '1.0':
//動画眼1.0形式
body += this.secToHHMMSS(r.inTime) + `\t${r.script}${ret}`;
break;
case 'youtube':
body += this.secToYoutubeChapterTimeCode(r.inTime, this.mediaDuration) + ` ${r.script}${ret}`;
break;
default:
//2.0形式(デフォルト)
body += `${r.inTime}\t${r.script}\t${r.speaker}${ret}`;
break;
}
});
//書き出し
//1.0形式ではShiftJIS
if (format == '1.0') {
body = iconv.encode(body, 'Shift_JIS');
}
fs.writeFileSync(logpath, body);
//上書き保存の時はダーティフラグをクリア
if (pth.length == 0) { this.setDirtyFlag(false); }
}
/**
* メニューから自動保存設定が変更されたら呼ばれる
* @param {boolean} result
* @param {boolean} update //GUIから更新された時はtrueを指定し、保存する
*/
toggleAutoSave(result, update = false) {
//設定に保存
if (update == true) {
this.config.set('autoSaveSwitch', result);
}
//タイマーを無効化(リセット)
//console.log("Disableing AutoSaveTimer.");
clearInterval(autoSaveTimer);
//trueの場合は新インターバルで再有効化
if (result == true && this.autoSaveInterval != undefined) {
//タイマーを有効化
//console.log(`Enableing AutoSaveTimer. interval:${this.autoSaveInterval}`);
autoSaveTimer = setInterval(()=> {
//console.log(`Timer countup interval:${this.autoSaveInterval}`);
//レコードが0の時、ダーティフラグが立ってない時はは自動保存をしない
if (records.length > 0 && this.isDirty == true) {
this.saveLog('','2.0',true);
}
}, this.autoSaveInterval);
}
}
//自動保存インターバル設定を読み込んで保持(起動時や設定更新時)
setAutoSaveInterval(min) {
this.autoSaveInterval = min * 60000; //60sec * 1000ms
if (this.config != null) {
this.toggleAutoSave(this.config.get('autoSaveSwitch'), false);
}
}
//
/**
* 秒インデックスをYoutubeチャプター形式形式に変換
* 動画の長さで、m:ss、mm:ss、hh:mm:ssを選択
* @param {*} sec 変換したい秒値
* @param {*} duration 動画の長さ
* @returns 変換後の文字列
*/
secToYoutubeChapterTimeCode(secTotal , duration) {
if (duration < 600) {
//m:ss
const min = Math.floor(secTotal / 60);
const sec = secTotal - min*60;
return min + ":" + ( '00' + sec ).slice( -2 )
} else if (duration < 3600) {
//mm:ss
const min = Math.floor(secTotal / 60);
const sec = secTotal - min*60;
return ( '00' + min ).slice( -2 ) + ":" + ( '00' + sec ).slice( -2 )
} else {
//hh:mm:ss
const hour = Math.floor(secTotal / 3600);
const min = Math.floor((secTotal - (hour * 60)) / 60);
const sec = secTotal - (hour * 3600) - (min * 60);
return ( '00' + hour ).slice( -2 ) + ":" +( '00' + min ).slice( -2 ) + ":" + ( '00' + sec ).slice( -2 )
}
}
secToHHMMSS(secTotal) {
const hour = Math.floor(secTotal / 3600);
const min = Math.floor((secTotal - (hour * 60)) / 60);
const sec = secTotal - (hour * 3600) - (min * 60);
return ( '00' + hour ).slice( -2 ) + ":" +( '00' + min ).slice( -2 ) + ":" + ( '00' + sec ).slice( -2 )
}
HHMMSSTosec(hhmmss) {
//console.log(hhmmss);
const e = hhmmss.split(":");
if (e.length == 3) {
return (parseInt(e[0]) * 3600) + (parseInt(e[1]) * 60) + parseInt(e[2]);
} else {
return 0;
}
}
/**
* 動画眼Lite形式のJSONファイルを出力
* @returns
*/
exportLite() {
const _ = new i18n(lang, 'dialog');
const jsonPath = this.mediaPath.replace(path.extname(this.mediaPath), '.json.js');
let options = null;
//存在をチェックして確認
if (fs.existsSync(jsonPath)) {
options = {
type: 'warning',
buttons: [_.t('LITE_OK'), _.t('LITE_CANCEL')],
title: _.t('LITE_JSON_TITLE'),
message: _.t('LITE_JSON_MESSAGE').replace('%1', path.basename(jsonPath)),
defaultId: 0,
cancelId: 1,
};
if (this.dialog.showConfirmation(options) == 1) return; //上書き確認ダイアログでキャンセルを選んだら終了
}
//書き出し処理
const title = path.basename(this.mediaPath) + " | 動画眼Lite";
let body = "document.title=\"" + title + "\";\r\nconst scriptsJson = [\r\n";
let charset = 'utf8';
//データ作成
records.forEach(r => {
body += '\t{ in:' + r.inTime + ', script:"' + r.script.replace(/"/g,'"').replace(/'/g,''') + '", speaker:' + r.speaker + ' },\n';
});
body = body.substring(0, body.length - 2); //末尾のカンマ、\r、\nの3文字を削る
body += "\r\n];";
//書き出し
fs.writeFileSync(jsonPath, body);
//HTMLファイルの準備
//ダウンロード意志の確認
options = {
type: 'warning',
buttons: [_.t('LITE_DOWNLOAD'), _.t('LITE_CANCEL')],
title: _.t('LITE_SUCCESS_TITLE'),
message: _.t('LITE_SUCCESS_MESSAGE').replace('%1', path.basename(jsonPath)),
defaultId: 0,
cancelId: 1,
};
if (this.dialog.showConfirmation(options) == 1) return; //上書き確認ダイアログでキャンセルを選んだら終了
const htmlPath = this.mediaPath.replace(path.extname(this.mediaPath), '.html');
//上書き確認
if (fs.existsSync(htmlPath)) {
options = {
type: 'error',
buttons: [_.t('LITE_OK'), _.t('LITE_CANCEL')],
title: _.t('LITE_HTML_TITLE'),
message: _.t('LITE_HTML_MESSAGE').replace('%1', path.basename(htmlPath)),
defaultId: 0,
cancelId: 1,
};
if (this.dialog.showConfirmation(options) == 1) return; //上書き確認ダイアログでキャンセルを選んだら終了
}
//サーバーからダウンロード
const {download} = require("electron-dl");
const dloptions = {
directory: path.dirname(htmlPath),
filename:path.basename(htmlPath),
}
download(this.mainWin, this.config.get('liteAutoDownloadURL'), dloptions).catch(err => {
//ダウンロードエラー時の処理
options = {
type: 'error',
buttons: [_.t('LITE_DOWNLOAD_MANUAL'), _.t('LITE_CANCEL')],
title: _.t('LITE_DOWNLOAD_FAIL_TITLE'),
message: _.t('LITE_DOWNLAOD_FAIL_MESSAGE').replace('%1', path.basename(jsonPath)),
defaultId: 0,
cancelId: 1,
};
if (this.dialog.showConfirmation(options) == 1) return;
//ダウンロードページを開く
shell.openExternal(this.config.get('liteManualDownloadURL'));
})
}
// #endregion
setDirtyFlag(flag) {
this.isDirty= flag;
this.mainWin.webContents.send('update-dirty-flag', flag);
}
//1秒毎に呼ばれる
getCurrentRecordId(position) {
//TouchBarがある場合、スライダー位置を更新
if (this.dggTouchBar != undefined) {
this.dggTouchBar.updateKnobPosition(position / this.mediaDuration * 100);
}
//指定された再生時間を超えるinTimeをもつ最初のレコードの1つ前のidを返す
const cur = records.find(r => r.inTime >= position);
if (cur != undefined) {
const rec = records[records.indexOf(cur) -1]; //1つ前
if (rec != undefined) {
return rec.id;
} else {
return undefined;
}
return records[records.indexOf(cur) -1].id;
} else {
return undefined;
}
}
openSupportSite() {
shell.openExternal('https://do-gugan.com/tools/do-gagan3/');
}
openShortcutManual() {
shell.openExternal('https://do-gugan.com/tools/do-gagan3/#shortcuts');
}
openMarkerPage() {
shell.openExternal('https://do-gugan.com/tools/marker/');
}
/**
* レンダラーに下部UIの表示トグルイベントを伝え、結果を取得
* @param {string} path メディアファイルのフルパス
* @example
* openMediaFile(path);
*/
toggleNewMemoBlockFromMenu(result) {
this.mainWin.webContents.send('toggle-new-memo-block', result);
}
//再生制御系
playPauseToPlayer() {
this.mainWin.webContents.send('play-pause');
}
skipForwardToPlayer(event) {
this.mainWin.webContents.send('skip-forward');
}
skipBackwardToPlayer(event) {
this.mainWin.webContents.send('skip-backward');
}
playbackSpeedUp(event) {
this.mainWin.webContents.send('playback-speed-up');
}
playbackSpeedDown(event) {
this.mainWin.webContents.send('playback-speed-down');
}
playbackSpeedReset(event) {
this.mainWin.webContents.send('playback-speed-reset');
}
changePositionFromSlider(pos) {
this.mainWin.webContents.send('change-position-from-touchbar', pos);
}
setSkipTime(direction, index) {
this.mainWin.webContents.send('set-skip-time', direction, index);
}
//--------------------------------
// 設定ウインドウ
//--------------------------------
openSettingsWindow() {
const _ = new this.i18n(this.lang, 'dialog');
let settingsWindow = new this.browserWindow({
parent: mainWin,
modal: true,
width: 500,
height: 565,
backgroundColor: 'white',
resizable: false,
minimizable: false,
maximizable: false,
alwaysOnTop: true,
fullscreenable: false,
skipTaskbar: true,
show: false,
title:_.t('SETTINGS'),
webPreferences: {
worldSafeExecuteJavaScript: true,
nodeIntegration: false,
sandbox: false, //Electron20への一時対処
enableRemoteModule: true,
contextIsolation: true,
preload: path.join(__dirname, './preload_settings.js'),
accessibleTitle: _.t('SETTINGS_ACCESSIBLETITLE')
}
});
settingsWindow.setMenu(null);
settingsWindow.loadFile('settings.html');
if (!this.app.isPackaged) {
settingsWindow.setSize (settingsWindow.getSize()[0]+600, settingsWindow.getSize()[1]);
settingsWindow.webContents.openDevTools(); //Devツールを開く
}
// レンダリングが完了したら呼ばれる
settingsWindow.once('ready-to-show', () => {
settingsWindow.show();
});
//ウインドウが閉じられる時呼ばれる
settingsWindow.on('closed', () => {
//console.log("settings window closed.");
this.mainWin.webContents.send('load-config');
settingsWindow = null;
});
return settingsWindow;
};
//--------------------------------
// 時刻変換ダイアログウインドウ
//--------------------------------
openSyncTimeWindow() {
const _ = new this.i18n(this.lang, 'dialog');
let timeSyncWindow = new this.browserWindow({
parent: this.mainWin,
modal: true,
width: 470,
height: 260,
backgroundColor: 'white',
resizable: false,
minimizable: false,
maximizable: false,
alwaysOnTop: true,
fullscreenable: false,
skipTaskbar: true,
show: false,
title:_.t('SYNCTIME'),
webPreferences: {
worldSafeExecuteJavaScript: true,
nodeIntegration: false,
sandbox: false, //Electron20への一時対処
enableRemoteModule: true,
contextIsolation: true,
preload: path.join(__dirname, './preload_syncTime.js'),
accessibleTitle: _.t('SYNCTIME_ACCESSIBLETITLE')
}
});
timeSyncWindow.setMenu(null);
timeSyncWindow.loadFile('syncTime.html');
if (!this.app.isPackaged) {
timeSyncWindow.setSize (timeSyncWindow.getSize()[0]+600, timeSyncWindow.getSize()[1]);
timeSyncWindow.webContents.openDevTools(); //Devツールを開く
}
// レンダリングが完了したら呼ばれる
timeSyncWindow.once('ready-to-show', () => {
timeSyncWindow.show();
});
//ウインドウが閉じられる時呼ばれるコールバック関数
timeSyncWindow.on('closed', (offset) => {
// console.log("timeSync window closed.");
timeSyncWindow = null;
});
};
//--------------------------------
// 置換ダイアログウインドウ
//--------------------------------
openReplaceWindow() {
const _ = new this.i18n(this.lang, 'dialog');
let replaceWindow = new this.browserWindow({
parent: mainWin,
modal: true,
width: 400,
height: 190,
backgroundColor: 'white',
resizable: false,
minimizable: false,
maximizable: false,
alwaysOnTop: true,
fullscreenable: false,
skipTaskbar: true,
show: false,
title:_.t('REPLACE'),
webPreferences: {
worldSafeExecuteJavaScript: true,
nodeIntegration: false,
sandbox: false, //Electron20への一時対処
enableRemoteModule: true,
contextIsolation: true,
preload: path.join(__dirname, './preload_replace.js'),
//nativeWindowOpen: true, //Electron 18で廃止
accessibleTitle: _.t('REPLACE_ACCESSIBLETITLE')
}
});
replaceWindow.setMenu(null);
replaceWindow.loadFile('replace.html');
// if (!this.app.isPackaged) {
// replaceWindow.webContents.openDevTools(); //Devツールを開く
// }
// レンダリングが完了したら呼ばれる
replaceWindow.once('ready-to-show', () => {
replaceWindow.show();
//this.replaceWin = replaceWindow;
});
//ウインドウが閉じられる時呼ばれる
replaceWindow.on('closed', () => {
//this.replaceWin = null;
replaceWindow = null;
});
return replaceWindow;
}
getMainWin(browserWindow) {
return this.mainWin;
}
/**
* レンダラーから新規メモを受け取る
* @param {Number} inTime
* @param {String} script
* @param {Number} speaker
* @param {String} targetId //このidのセルの下に新規セルを挿入する
*/
addNewMemoFromGUI(inTime, script, speaker, targetId = undefined) {
const rec = new dggRecord(inTime, script, speaker);
records.push(rec);
//recのidを取得
const id = records[records.length -1].id;
console.log("new record id:"+id);
records.sort(function(a, b) {
return a.inTime - b.inTime;
});
if (targetId == undefined) {
//方法1: 一度リストをクリアしてから全件追加
//console.log("Method1: Clear and add all records.");
this.mainWin.webContents.send('clear-records'); //一度リストをクリア
records.forEach(r => {
this.mainWin.webContents.send('add-record-to-list',r); //レンダラーに描画指示
});
} else {
//方法2: 指定されたidのセルの下に挿入
//console.log("Method2: Insert record to list. targetId:" + targetId + " new id:" + id + " rec.script:" + rec.script);
const recJSON = JSON.stringify(rec);
console.log(recJSON);
this.mainWin.webContents.send('insert-record-to-list', id, recJSON, targetId);
}
this.setDirtyFlag(true);
return id;
}
/**
* レンダラーからキャプチャー画像を受け取る
* @param {string} dataURL //base64エンコードされた画像データ
* @param {String} sec //再生時間("12:34"形式。変換してファイル名にアペンド)
*/
saveCapture(dataURL, currentSec) {
//余計なヘッダを除去
dataURL = dataURL.replace('data:image/jpeg;base64,','');
//秒を分秒形式に変換
currentSec = currentSec.replace(":","m")+"s";
let cpath = this.mediaPath.replace(path.extname(this.mediaPath), "@" + currentSec + ".jpg");
try {
fs.writeFileSync(cpath, dataURL,{encoding: 'base64'});
} catch(e) {
console.log(e);
}
}
//レンダラーから更新されたセルの情報を受け取りrecordに反映
memoChanged(id,script) {
records.find(r => r.id == id).script = script;
this.setDirtyFlag(true);
}
//idで指定されたセルとその次のセルを結合
mergeCurrentAndNextCells(id) {
//console.log("received id:"+id);
if (id == undefined) {
//メインメニューからの実行などで対象セルが指定されていない時はレンダラーに問い合わせて取得する
id = this.mainWin.webContents.send('execute-merge-cells');
return;
}
//idが指定されている場合は実行継続
const currentCell = records.find(r => r.id == id);
const currentCellIndex = records.findIndex((element) => element == currentCell);
//console.log("index:"+currentCellIndex+" length:"+records.length);
if (currentCellIndex < records.length -1) {
const nextCell = records[currentCellIndex + 1];
const nextCellIndex = records.findIndex((element) => element == nextCell);
//console.log("current:"+ currentCell.script + " next:"+ nextCell.script);
currentCell.script += nextCell.script; //次セルのテキストを現セルにアペンド
records.splice(nextCellIndex, 1);
//レンダラーにも反映
//console.log(currentCell.id, currentCell.script);
this.mainWin.webContents.send('update-row',currentCell.id, currentCell.script); //currentCellを更新
this.mainWin.webContents.send('delete-row',nextCell.id); //nextCellを削除
this.setDirtyFlag(true);
} else {
//選択しているのが最後のセルの場合はエラー音を鳴らして終了
//console.log("last cell");
shell.beep();
}
}
inTimeChanged(id,inTime) {
records.find(r => r.id == id).inTime = inTime;
this.setDirtyFlag(true);
}
speakerChanged(id,speaker) {
records.find(r => r.id == id).speaker = speaker;
this.setDirtyFlag(true);
}
getSpeakerFromId(id) {
return records.find(r => r.id == id).speaker;
}
//レンダラーから通知されたメディアの総再生時間を保存
setMediaDuration(duration) {
this.mediaDuration = duration;
}
/**
* コンテクストメニューから話者フラグ変更を実行
* @param {string} id
* @param {Number} speaker
*/
setSpeakerOfRow(id, speaker) {
//配列を更新
this.speakerChanged(id, speaker);
records.forEach(e => console.log(e.id +':'+ e.speaker));
//レンダラーにも反映
this.mainWin.webContents.send('set-speaker-of-row',id, speaker);
}
/**
* コンテクストメニューからの削除を実行
* @param {Number} id
*/
deleteRow(id) {