-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.js
1063 lines (698 loc) · 23.9 KB
/
index.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
var path = require('path')
var serveIndex = require('./serve-index-modded');
const fse = require("fs-extra")
const fs = require("fs")
var express = require('express');
var app = express();
var striptags = require('striptags');
const fetch = require('node-fetch');
var download = require('download-file')
let settings = { method: "Get" };
var http = require('http').createServer(app);
var io = require('socket.io')(http);
//Array filled with hardcoded thread names to skip (usually these are "how-to" threads)
var hardcodedFilter = ["","questionable age","Welcome to wg - WallpapersGeneral","more-of-her","Rules of this board (in plain english)","READ FIRST"];
var boardsComplete = {"boards":[
{"letter":"wg","name":"Wallpapers/General"},
{"letter":"a","name":"Anime & Manga"},
{"letter":"w","name":"Anime Wallpapers"},
{"letter":"p","name":"Photography"},
{"letter":"hr","name":"High Resolution"},
{"letter":"s","name":"Sexy Beautiful Women (NSFW)"},
{"letter":"gif","name":"Adult GIF (NSFW)"},
{"letter":"h","name":"Hentai (NSFW)"},
{"letter":"hc","name":"Hardcore (NSFW)"}
]}
//Dynamic board array
var boards = [];
//filter array
var filter = [];
//Current stored board
var currboard;
//INDEXES!
//Category (page) index
var icat;
//Threads Index
var ithreads;
//Working Queue Index
var iwork;
//urls
var caturl;
//Paths
var rawOutPath = __dirname + "/Output/"
var mainOutPath;
var filterPath;
var thumbcache;
//Variable for already downloaded threads
var booty;
//Global variables for download re-check
var global_ThumbFilenames;
var global_ThumbThread;
var gloabl_thumbComplete = [];
//Page management variable
var skipDL = false;
//JSONs DB
var allJSONs = [];
//Download Queue
var dlQueue = [];
//---------------SETUP SECTION---------------
//Static path for FS operations
app.use(express.static(path.join(__dirname, 'Output')));
app.use('/thumb', express.static(path.join(__dirname, 'web-assets/fico')))
//Visualizer is at the "/view" directory
app.use('/view', express.static('Output'), serveIndex('Output', {'icons': true, 'view': 'details'}))
app.get('/', (req, res) => {
res.sendFile(__dirname + '/index.html');
});
//Setup Sockets
io.on('connection', (socket) => {
//alla ricezione dell'evento
socket.on('req-boards', () => {
//Manda l'array di boards
io.sockets.emit("boards", boardsComplete);
});
socket.on('work', (threads) => {
//funzione di "work" per il download/blacklist
worker(threads);
});
//funzione di eliminazione da viewer
socket.on('delete', (percorso) => {
//cambio da url a directory
var newpercorso = decodeURIComponent(percorso.replace('/view','/Output'));
//funzione di eliminazione cartella o file.
deleteFile(__dirname + newpercorso);
});
socket.on('skipDL', () => {
skipDL = true;
console.log(skipDL);
});
socket.on('clear', (selboard) => {
setup();
boardsComplete.boards.forEach((item, index)=>{
//console.log(index, item.letter
boards.push(item.letter);
});
//imposta la board ricevuta come atttiva
currboard = selboard;
});
socket.on('scan', (selboard) => {
boardsComplete.boards.forEach((item, index)=>{
//console.log(index, item.letter
boards.push(item.letter);
});
//imposta la board ricevuta come atttiva
currboard = selboard;
preLoad();
});
socket.on('disconnect', () => { /*goodbye*/ });
});
function setup(){
//Fare funzione ad-hoc
boards = [];
filter = [];
currboard= "";
caturl= "";
rawOutPath = __dirname + "/Output/"
mainOutPath = "";
filterPath= "";
thumbcache= "";
booty;
global_ThumbFilenames = "";
global_ThumbThread = "";
gloabl_thumbComplete = [];
skipDL = false;
allJSONs = [];
dlQueue = [];
}
//---------------DELETION FUNCTION---------------
async function deleteFile(percorso){
try{
var isdir = fs.lstatSync(percorso).isDirectory();
//è una directory?
if(isdir){
//Se elimino la cartella allora la metto nel filtro in Blacklist
var toFilterArr = percorso.split('/').pop();
var localboard = percorso.split('/').slice(-2)[0];
var toFilter = toFilterArr.toString()
if(!filter.includes(toFilter)){
//log("STO FILTRANDO FIGA");
log("Added to filter: " + toFilter + " (" + localboard + ")",1);
await filterWork("filter", toFilter, localboard);
};
//carico dopo aver aggiornato il filtro
await filterWork("load", toFilter, localboard);//carico il filtro della board specificata non quella globale
// log(filter);
//delete folder
try{
fse.removeSync(percorso);
log("Folder DELETED: " + percorso,1);
} catch(err) {
log("ERRORE ELIMINAZIONE CARTELLA: \n" + err,3);
deleteFile(percorso);
}
}else{
//è un file, eliminalo solo
try{
fse.removeSync(percorso);
log('File Deleted: ' + percorso,1);
}catch(err){
log('ERRORE ELIMINAZIONE FILE! ' + err,3);
};
}
} catch (err){
//file inesistente
log("Errore generico nell'eliminazione: " + err,3);
}
}
//---------------WORKER FUNCTION---------------
async function worker(workArray = []) {
var localindex;
for (iwork; iwork < workArray.length; iwork++){
localindex = workArray[iwork].index;
if(workArray[localindex].flag == "blk"){
//fai blacklisting
await filterWork("filter", allJSONs[localindex].name, "");
//Ricarica filtro (NON FUNZIONA PIU', ISSUE GITHUB #6 https://github.com/walterone/BoardBlaster/issues/6)
//await filterWork("load","", "");
}
else if (workArray[localindex].flag == "dwn"){
//fai download:
var jsonQueue = { "name": allJSONs[localindex].name,
"img": allJSONs[localindex].img
};
//array coda di download
dlQueue.push(jsonQueue);
}else if (workArray[localindex].flag == "ign"){
//do nothing, ignora
}else{
//exception
log("ERRORE NEL WORKER",3)
}
}
//fai partire funzione "worker" solo per i Downloads
elaborator();
}
//---------------SCANNER FUNCTION---------------
async function scan() {
console.log(icat + " --- " + ithreads);
var stoptest = 0;
//riceve il JSON del catalogo
var catalogJSON = await getjson(caturl);
//For che cicla attraverso i numeri delle pagine del catalogo!
for (icat; icat < catalogJSON.length; icat++){
//log("Showing page "+ (icat+1) + " of " + catalogJSON.length,0);
stoptest++
if(stoptest > 2){
io.sockets.emit("done", "");
log("Finito! Sto mostrando pag. "+ icat + " di " + catalogJSON.length,0);
//console.log("dlQueue: " + dlQueue);
break
}
//log(icat + " --- " + ithreads);
ithreads = 0;
console.log(ithreads);
//For che cicla attraverso i singoli numeri di thread dentro la pagina attuale del catalogo.
for (ithreads; ithreads < catalogJSON[icat].threads.length; ithreads++){
//All'inizio dell'elaborazione dei thread nella pagina, viene settata la variabile true così che il for delle pagine quando ritorna ad estrarre esca con un break
//Quando dalla pagina web verrà chiesto di andare avanti allora verrà settata dall'elaborator come true.
//l'indice delle pagine (icat) è globale e terrà l'ultima pagina elaborata in memoria.
//Numero Thread
var noThread = catalogJSON[icat].threads[ithreads].no;
//crea URL dinamicamente (usando n. thread) per costruire l'url del file JSON specifico del thread.
var thrjsonurl = "https://a.4cdn.org/"+ currboard +"/thread/" + noThread + ".json";
//recupera il JSON con url nuovo.
var threadFile = await getjson(thrjsonurl);
//Controlla il nome e i caratteri speciali.
var threadTitle = await getfixName(threadFile);
/*
STO ANCORA CERCANDO DI CAPIRE COME MAI OGNI TANTO ESCONO FUORI I THREAD RIPETUTI...
Questo problema avviene ancora per: /a/,
+++Forse fixato togliendo l'auto skip dei primi thread per la board specifica. (ora si usa array ad hoc).
*/
console.log("pag: "+icat+ "| n."+ithreads +" - "+threadTitle+" - "+ catalogJSON[icat].threads[ithreads].sub);
//Titolo Thread trovato
//log(threadTitle,0);
//se il nome del thread è incluso nel filtro allora salta
//Forse per il futuro sarebbe meglio fare l'associazione con il numero per evitare onomini
if(filter.includes(threadTitle) || hardcodedFilter.includes(threadTitle)){
log("FilterInfo: " + threadTitle + " is blacklisted, skipping...",1);
continue;
};
booty = fse.readdirSync(mainOutPath);
/* L'idea è avare una struttura JSON con dentro tutte le info per permettere di scaricare
(in futuro anche ad un sw esterno) tutto in autonomia senza girare per variabili:
STRUTTURA FINALE:
jsonDataScan = {"num":noThread, N. ID del thread
"name": threadTitle, Titolo thread
"img":[] Tutte le immagini presenti nel thread
"maximgs" massimo numero immagini nel thread
"thumbs" filename con i thumbs (finiscono con "s")
"threadName" Nome del thread
"alreadyDL":y/n Già scaricata?
};
*/
var jsonDataScan = {"num":noThread,
"name": threadTitle,
"img":[],
"thumbs": []
};
var prevImgs = [];
var thumbImgs = [];
var loadThumbs = true;
var indexThumbs = 0;
//per tutta la lunghezza del thread (guarda tutti i post)
for(var i = 0; i < threadFile.posts.length; i++){
//controllo se tra i dati del post c'è un estensione (e quindi c'è un media).
if(threadFile.posts[i].hasOwnProperty('ext')){
//popolo le variabili globali con i dati dell'immagine
//Time è il nome file
currTime = threadFile.posts[i].tim;
//Ext è l'estensione
currExt = threadFile.posts[i].ext;
//L'array viene popolato da tutte le immagini presenti nel thread
prevImgs.push(currTime+currExt);
//sistema di caricamento dei nomi thumbs nell'array.
if(loadThumbs){
thumbImgs.push(currTime+"s.jpg");
//thumbImgs.push(currTime+currExt);
indexThumbs++
if(indexThumbs > 2){loadThumbs = false}
//log(thumbImgs);
}
}else{
//se non c'è estensione è un commento. bypassiamolo.
}
};
//Variabile globale per immagazzinare le thumbnails
gloabl_thumbComplete = [];
//Effettua download delle prime 3 thumbnails
for(var i = 0; i < thumbImgs.length; i++){
await getThumbs(thumbImgs[i], threadTitle);
}
if(booty.includes(threadTitle)){
//Sarebbe possibile implementare anche un sistema di confronto tra quante immagini ci sono scaricate e quante sono su 4chan.
console.log("CARTELLA GIA' SCARICATA!");
//Variabile che indica se il thread è già stato scaricato
jsonDataScan.alreadyDL = true;
}else{
jsonDataScan.alreadyDL = false;
}
//Variabile che indica quante immagini sono nel thread
jsonDataScan.maximgs = prevImgs.length;
//Inserisco nell'array IMG solo le immagini delle thumbnail (le prime 3)
jsonDataScan.img = prevImgs;
//Aggiunta al json le thumbs scaricate
jsonDataScan.thumbs = gloabl_thumbComplete;
var json = jsonDataScan;
//a questo punto abbiamo un oggetto JSON con tutte le info che ci servono:
//num: Numero thread
//name: Nome thread
//img: sono le prime 3 immagini in formato thumbnail (s finale)
//maximgs: numero delle immagini che ha trovato? (sempre in ambito thumbs)
allJSONs.push(json);
var stringedjson = JSON.stringify(json);
//console.log(stringedjson);
io.sockets.emit("ScanRes", stringedjson);
};
}
}
//---------------ELABORATOR FUNCTION---------------
async function elaborator(){
for (var i = 0; i < dlQueue.length; i++) {
var current = dlQueue[i];
var obj = {
"currimg": 0,
"maximg":current.img.length,
"desc": current.name
}
log("sto elaborando "+ current.name,0);
log(current.img.length + " files",0);
for(var i2 = 0; i2 < current.img.length; i2++){
console.log(skipDL);
if(!skipDL){
await filedownload(current.img[i2],current.name);
obj.currimg = (i2 + 1);
log("Scaricato " + (i2 + 1) + "/" + current.img.length,1);
io.sockets.emit("progBar", JSON.stringify(obj));
}else{
break;
}
}
skipDL = false;
log("SKIPPED THREAD DOWNLOAD",1);
console.log(dlQueue);
}
//In questo modo il crawling (che avviene dentro la funzione scan()) viene riavviato alla fine dell'elaborazione.
//Dato che gli indici sono globali allora è possibile fermare e startare il crawl senza perdere la pagina
//TEST: Far continuare il crawl e vedere se si riesce ad effettuare il DL in maniera Asyncrona.
log("Servo le prossime immagini, attendere...",0);
dlQueue = [];
//ithreads = 0;
scan();
}
//---------------MEDIA DOWNLOADER FUNCTION---------------
async function filedownload(img,thrtitle){
return new Promise(function(resolve, reject) {
//costruita prima parte del path
var temp = mainOutPath + thrtitle + "/";
//costruito url del cdn
var url = "https://i.4cdn.org/"+ currboard +"/" + img;
//crea il path di sistema per l'immagine
var file = mainOutPath + thrtitle + "/" + img;
//log(file);
// Controllo se il file con path imgPath esiste
try {
if(fse.existsSync(file)) {
//immagine esiste, non fa niente
log("FILE ESISTENTE: " + file,2);
resolve();
} else {
//immagine non esiste, scaricarla
//setto directory di destinazione
var options = {directory: temp}
//download effettivo (npm)
download(url, options, function(err){
if (err){
log("ERRORE DI DOWNLOAD",3);
//throw err
//riprova download con i dati globali
filedownload(img, thrtitle);
}
//log("downloaded!")
resolve();
})
}
} catch (err) {
console.error(err);
}
});
}
//---------------THUMBNAILS DOWNLOADER FUNCTION---------------
async function getThumbs(img,thrtitle){
return new Promise(function(resolve, reject) {
//costruita prima parte del path
var temp = thumbcache + thrtitle + "/";
//costruito url del cdn
var url = "https://i.4cdn.org/"+ currboard +"/" + img;
//crea il path di sistema per l'immagine
var file = temp + img;
//log(file);
// Controllo se il file con path imgPath esiste
try {
if(fse.existsSync(file)) {
//immagine esiste, non fa niente
log("THUMBNAIL ESISTENTE: " + file,2);
resolve();
} else {
//immagine non esiste, scaricarla
//setto directory di destinazione
var options = {directory: temp}
//console.log(file.substring(file.indexOf("thumbs")));
//download effettivo (npm)
download(url, options, function(err){
if (err){
console.log(url + " -- " + file + " -- " + err);
log("ERRORE DI DOWNLOAD THUMBNAIL",3);
//throw err
//riprova download con i dati globali
getThumbs(img, thrtitle);
}
//log("downloaded!")
gloabl_thumbComplete.push(file.substring(file.indexOf("thumbs")));
resolve();
})
}
} catch (err) {
console.error(err);
}
});
}
//---------------PRELOAD FUNCTION---------------
//Funzione di impostazione path & variabili
//ESEGUIRE QUESTE OPERAZIONI ALL'AVVIO PRELIMINARE
async function preLoad(){
log("STARTING ...",0);
rawOutPath = __dirname + "/Output/"
thumbcache = __dirname + "/Output/thumbs/"
//Set indexes
icat = 0;
ithreads = 0;
iwork = 0;
caturl = "https://a.4cdn.org/" + currboard + "/catalog.json"//CURRBOARD NECESSARIO
//controllo cartella output
if(!await checkFolder(rawOutPath)){
//non esiste, crea
await folderMake(rawOutPath);
}else{
//esiste, fine.
}
//path del filter è la cartella di output
filterPath = rawOutPath;
//mainpath ora porta la cartella della board
mainOutPath = rawOutPath.concat(currboard + "/");//CURRBOARD NECESSARIO
//Funzione di reset delle immagini thumbnail
await resetThumbs();
//controllo e creazione cartella della board.
if(!await checkFolder(mainOutPath)){ //MAINPATH NECESSARIA
//non esiste, crea
await folderMake(mainOutPath);
}else{
//esiste, fine.
}
//filtro per ogni cartella board
//tuning path filtro, è dentro la cartella della boarda con suffisso "-filter"
filterPath = filterPath.concat(currboard + "/" + currboard + "-filter" );
//controllo esistenza file filtro
if(!await filterStart(filterPath)){
//errore
log("ERRORE CARICAMENTO FILTRO",3);
//ripeto main
preLoad()
}else{
//ok
}
if (fse.existsSync(filterPath)){
//file created successfully
console.log("TUTTO OK");
} else {
throw new Error("ERRORE, FILE FILTRO NON CREATO (folderMake())") ;
}
//caricamento termini di filtraggio
await filterWork("load","","");
log("--Ready to Crawl--",1);
elaborator();
}
//---------------RESETTHUMBS FUNCTION---------------
async function resetThumbs(name){
return new Promise(function(resolve, reject) {
try{
//elimina la cartella thumbcache
fse.removeSync(thumbcache);
//e la ricrea
folderMake(thumbcache);
} catch(err) {
log(err,3);
}
log("Thumbs resetted",1);
resolve()
});
}
//---------------CHECK FOLDER FUNCTION---------------
async function checkFolder(name){
return new Promise(function(resolve, reject) {
var status;
if (!fse.existsSync(name)){
//se non esiste crea la cartella
status = false;
resolve(status);
}else{
status = true;
resolve(status);
//altrimenti continua.
}
resolve();
});
}
//crea la cartella usando le costanti globali dette sopra
async function folderMake(path){
return new Promise(function(resolve, reject) {
//crea cartella
fse.mkdirSync(path);
resolve();
});
}
async function filterStart(pathfile){
return new Promise(function(resolve, reject) {
//log(pathfile);
//esiste il file?
if (!fse.existsSync(pathfile)){
//non esiste il filtro, lo creo
log("file filtro inesistente, creazione" + pathfile,2);
fs.writeFileSync(pathfile, "", err => {
if (err) {
console.error(err)
resolve(false);
}
})
}else{
log("Filter Found!",1);
//esiste, stop
}
resolve(true);
});
}
//funzione speciale che, in base al tipo di lavoro scelto, effettua delle operazioni:
// FILTER WORK = Il tipo di lavoro
// Load: carica file filtro in un array per poi essere usato
// Filter: Crea una rule nuova di blacklist
async function filterWork(typeOfWork, somedata, board){
// USARE I NOMI PER FILTRARE A MENO CHE NON SI VUOLE CREARE UN SISTEMA PER GESTIRE LE ASSOCIAZIONI ID E NOME THREAD/CARTELLE
return new Promise(function(resolve, reject) {
if(board == ""){
var localFilterPath = filterPath;
}else if(boards.includes(board)){
var localFilterPath = rawOutPath.concat(board + "/" + board + "-filter" );
}
//log("loaclfilterpath: " + localFilterPath,0);
//se deve caricare
if(typeOfWork == "load"){
//setta tutti gli array vuoti
var prefilter = [];
filter = [];
//carica e legge i chars dividendoli per newline
//console.log(localFilterPath);
var buf = fse.readFileSync(localFilterPath);
buf.toString().split(/\n/).forEach(function(line){
//pusha nell'array prefilter
prefilter.push(line);
prefilter = prefilter.filter(item => item);
//con New Set permette di non avere duplicati
//TODO: In futuro da creare un match via regex per non dover blacklistare milioni di cose
filter = [...new Set(prefilter)];
});
log("Filtering " + filter.length + " threads:",2);
console.log(filter);
//altrimenti se deve filtrare
}else if (typeOfWork == "filter")
{
log('Filtro: ' + somedata,1);
//log(localFilterPath,0);
//aggiungi il nome thread nel filtro + newline
fse.appendFile(localFilterPath, somedata + "\n", (err) => {
if (err) log(err,3);
//tutto ok!
//log('The "data to append" was appended to file!');
});
}
resolve();
});
}
//controlla se ci sono caratteri illegali nel nome del thread.
async function getfixName(mainThr){
return new Promise(function(resolve, reject) {
//titolo provvisorio pre-slice
var temptitle = "";
//in base all'esistenza di titolo o sottotitolo, genera un titolo di massimo 150 caratteri.
//Se il post iniziale del thread ha il titolo
if(mainThr.posts[0].hasOwnProperty('sub')){
//imposta il titolo
temptitle = temptitle.concat(mainThr.posts[0].sub);
//se ha il commento e non c'era il titolo
}else if(mainThr.posts[0].hasOwnProperty('com') && temptitle == ""){
//metti il titolo formattato con semantic_url(che in realtà è il commento)
temptitle = temptitle.concat(mainThr.posts[0].semantic_url);
//se ha il commento e c'era anche il titolo
}else{
//concatena al titolo il commento non formattato (fromattare con funzion js)
temptitle = temptitle.concat(" - ",mainThr.posts[0].semantic_url);
};
//toglie le tag html dall'input
striptags(temptitle);
//se titolo questo, riprova
if(temptitle == "image-failed-to-load-click-to-retry"){
log("ERRORE NEL CARICAMENTO, RETRY",3);
getfixName(mainThr)
}
//titolo provvisorio pre-sanificazione
var temptitle2=temptitle.substring(0, 150);
// Controlla per i caratteri speciali indicati qui (non è stato implementato il punto di domanda):
//https://stackoverflow.com/questions/1976007/what-characters-are-forbidden-in-windows-and-linux-directory-names
var threadTitle = temptitle2.replace(/[#_:/<*>\'\"\\?']/g,'');
//log("Da getfixName: " + threadTitle);
//restituisce il titolo del thread completo
resolve(threadTitle);
});
}
//Funzione di logging migliorata
/*
Data: La stringa con i dati da mostrare
Levels:
0: LOGGING/TESTING
1: INFO
2: WARN
3: ERROR
sendToDash: Valore booleano per capire se il log è da mandare alla dashboard web.
*/
async function log(data, lvl) {
let date_ob = new Date();
var level;
let showLogs;
// current date
// adjust 0 before single digit date
let date = ("0" + date_ob.getDate()).slice(-2);
// current month
let month = ("0" + (date_ob.getMonth() + 1)).slice(-2);
// current year
//let year = date_ob.getFullYear();
// current hours
let hours = date_ob.getHours();
// current minutes
let minutes = date_ob.getMinutes();
// current seconds
let seconds = date_ob.getSeconds();
let milliseconds = date_ob.getMilliseconds();
// prints date & time in MM-DD HH:MM:SS:MS format
//var timestamp = "[" + date + "-" + month + " " + hours + ":" + minutes + ":" + seconds + ":" + milliseconds + "]";
// prints date & time in HH:MM:SS:MS format
var timestamp = "[" + hours + ":" + minutes + ":" + seconds + ":" + milliseconds + "]";
//var timestamp = Math.floor(Date.now()/1000);
if(lvl == 0){
level = "###[TESTING]: ";