-
Notifications
You must be signed in to change notification settings - Fork 1
/
main.js
2648 lines (2593 loc) · 112 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 express = require('express')
const swaggerJsdoc = require('swagger-jsdoc')
const swaggerUi = require('swagger-ui-express')
const yargs = require('yargs')
const axios = require('axios')
const cheerio = require('cheerio')
const proxy = require('https-proxy-agent')
const iconv = require('iconv-lite')
const xml2js = require('xml2js')
const path = require('path')
const fs = require('fs')
// Прочитать содержимое файла с категориями
const categoryList = JSON.parse(fs.readFileSync(path.join(__dirname, 'category.json'), 'utf-8'))
// Параметры запуска
const { hideBin } = require('yargs/helpers')
const argv = yargs(hideBin(process.argv))
.option('port', {
alias: 'p',
type: 'number',
default: 8443,
description: 'Express server port'
})
.option('test', {
alias: 't',
type: 'boolean',
default: false,
description: 'Test endpoints and stop server'
})
.option('query', {
alias: 'q',
type: 'string',
default: 'The+Rookie',
description: 'Title for test'
})
.option('proxyAddress', {
type: 'string',
description: 'Address proxy server'
})
.option('proxyPort', {
type: 'number',
description: 'Port proxy server'
})
.option('username', {
type: 'string',
description: 'Username for proxy server'
})
.option('password', {
type: 'string',
description: 'Password for proxy server'
})
.argv
// Использовать Puppeteer для получения списка файлов
// const puppeteer = require('puppeteer')
const RuTrackerPuppeteer = false
const RuTorPuppeteer = false
// Создание экземпляра Axios с использованием конфигурации Proxy
const createAxiosProxy = () => {
const config = {}
if (argv.proxyAddress && argv.proxyPort) {
if (argv.username && argv.password) {
config.httpsAgent = new proxy.HttpsProxyAgent(`http://${argv.username}:${argv.password}@${argv.proxyAddress}:${argv.proxyPort}`)
} else {
config.httpsAgent = new proxy.HttpsProxyAgent(`http://${argv.proxyAddress}:${argv.proxyPort}`)
}
}
return axios.create(config)
}
const axiosProxy = createAxiosProxy()
// Имя агента в заголовке запросов (вместо axios)
const headers = {
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0 Win64 x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/120.0.0.0 Safari/537.36'
}
// Cookie для автроризации на сайте RuTracker (требуется для получения info hash списка файлов)
const headers_RuTracker = {
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0 Win64 x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/120.0.0.0 Safari/537.36',
'Cookie': 'bb_session=0-44590272-Sp8wQfjonpx37QjDuZUD'
}
// Cookie для автроризации на сайте Kinozal (требуется для получения info hash списка файлов)
const headers_Kinozal = {
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0 Win64 x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/120.0.0.0 Safari/537.36',
'Cookie': 'uid=20631917; pass=KOJ4DJf1VS'
}
// Функция получения текущего времени для логирования
function getCurrentTime() {
const now = new Date()
const hours = now.getHours().toString().padStart(2, '0')
const minutes = now.getMinutes().toString().padStart(2, '0')
const seconds = now.getSeconds().toString().padStart(2, '0')
return `${hours}:${minutes}:${seconds}`
}
// Функция преобразования номера страницы (для RuTracker и NoNameClub)
function getPage(page) {
const pages = {
'0': '0',
'1': '50',
'2': '100',
'3': '150',
'4': '200',
'5': '250',
'6': '300',
'7': '350',
'8': '400',
'9': '450',
'10': '500',
'11': '550',
'12': '600',
'13': '650',
'14': '700',
'15': '750',
'16': '800',
'17': '850',
'18': '900',
'19': '950',
'20': '1000'
}
return pages[page]
}
// Функция преобразования времени в формат 'dd.mm.yyyy' (для RuTracker и RuTor)
function formatDate(dateString, type) {
const months = {
'Янв': '01',
'Фев': '02',
'Мар': '03',
'Апр': '04',
'Май': '05',
'Июн': '06',
'Июл': '07',
'Авг': '08',
'Сен': '09',
'Окт': '10',
'Ноя': '11',
'Дек': '12'
}
const parts = dateString.split(`${type}`)
let day = parts[0].trim()
const month = months[parts[1].trim()]
const year = '20' + parts[2].trim()
// Добавляем ведущий ноль к дню
if (day.length === 1) {
day = '0' + day
}
return `${day}.${month}.${year}`
}
// Функция преобразования времени из Unix Timestamp в 'dd.mm.yyyy HH:MM' (для NoNameClub)
function unixTimestamp(timestamp) {
const date = new Date(timestamp * 1000)
const day = String(date.getDate()).padStart(2, '0')
const month = String(date.getMonth() + 1).padStart(2, '0')
const year = date.getFullYear()
const hours = String(date.getHours()).padStart(2, '0')
const minutes = String(date.getMinutes()).padStart(2, '0')
return `${day}.${month}.${year} ${hours}:${minutes}`
}
// Функция для добавления списка торрент трекеров в магнитную ссылку
function addTrackerList(infoHash, tracker) {
let magnetLink = `magnet:?xt=urn:btih:${infoHash}`
let trackers = []
if (tracker === "RuTracker") {
trackers = [
"http://retracker.local/announce",
"http://bt.t-ru.org/ann",
"http://bt2.t-ru.org/ann",
"http://bt3.t-ru.org/ann",
"http://bt4.t-ru.org/ann"
]
}
else if (tracker === "Kinozal") {
trackers = [
"http://retracker.local/announce",
"http://tr0.torrent4me.com/ann?uk=kCm7WcIM00",
"http://tr1.torrent4me.com/ann?uk=kCm7WcIM00",
"http://tr2.torrent4me.com/ann?uk=kCm7WcIM00",
"http://tr3.torrent4me.com/ann?uk=kCm7WcIM00",
"http://tr4.torrent4me.com/ann?uk=kCm7WcIM00",
"http://tr5.torrent4me.com/ann?uk=kCm7WcIM00",
"http://tr0.tor4me.info/ann?uk=kCm7WcIM00",
"http://tr1.tor4me.info/ann?uk=kCm7WcIM00",
"http://tr2.tor4me.info/ann?uk=kCm7WcIM00",
"http://tr3.tor4me.info/ann?uk=kCm7WcIM00",
"http://tr4.tor4me.info/ann?uk=kCm7WcIM00",
"http://tr5.tor4me.info/ann?uk=kCm7WcIM00",
"http://tr0.tor2me.info/ann?uk=kCm7WcIM00",
"http://tr1.tor2me.info/ann?uk=kCm7WcIM00",
"http://tr2.tor2me.info/ann?uk=kCm7WcIM00",
"http://tr3.tor2me.info/ann?uk=kCm7WcIM00",
"http://tr4.tor2me.info/ann?uk=kCm7WcIM00",
"http://tr5.tor2me.info/ann?uk=kCm7WcIM00"
]
}
else if (tracker === "RuTor") {
trackers = [
"http://retracker.local/announce",
"udp://opentor.net:6969",
"udp://open.stealth.si:80/announce",
"udp://exodus.desync.com:6969/announce",
"http://tracker.grepler.com:6969/announce",
"udp://tracker.dler.com:6969/announce",
"udp://tracker.bitsearch.to:1337/announce",
"http://h1.trakx.nibba.trade:80/announce",
"http://h2.trakx.nibba.trade:80/announce",
"http://h3.trakx.nibba.trade:80/announce",
"http://h4.trakx.nibba.trade:80/announce",
"http://h5.trakx.nibba.trade:80/announce"
]
}
else if (tracker === "NoNameClub") {
trackers = [
"http://retracker.local/announce",
"http://bt01.nnm-club.info:2710/announce",
"http://bt02.nnm-club.info:2710/announce",
"http://bt01.nnm-club.cc:2710/announce",
"http://bt02.nnm-club.cc:2710/announce"
]
}
for (var i = 0; i < trackers.length; i++) {
magnetLink += "&tr=" + encodeURIComponent(trackers[i])
}
return magnetLink
}
// RuTracker
async function RuTracker(query, categoryId, page) {
if (query === 'undefined') {
query = ''
}
// Получаем кастомный номер страницы через функцию (кратный 50)
const p = getPage(page)
// Список все зеркальных URL провайдера для перебора в цикле в случае недоступности одного
const urls = [
'https://rutracker.org',
'https://rutracker.net',
'https://rutracker.nl'
]
// Переменная для отслеживания успешного выполнения запроса
let checkUrl = false
const torrents = []
let html
let url
for (let i = 0; i < urls.length; i++) {
url = urls[i]
urlQuery = `${urls[i]}/forum/tracker.php?nm=${query}&f=${categoryId}&start=${p}`
try {
const response = await axiosProxy.get(urlQuery, {
timeout: 3000,
responseType: 'arraybuffer',
headers: headers_RuTracker
})
// Декодируем HTML-страницу в кодировку win-1251
html = iconv.decode(response.data, 'win1251')
// Если удалось получить данные, фиксируем успух, логируем и выходим из цикла
checkUrl = true
console.log(`${getCurrentTime()} [Request] ${urlQuery}`)
break
} catch (error) {
console.error(`${getCurrentTime()} [ERROR] ${error.hostname} server is not available (Code: ${error.code})`)
}
}
if (!checkUrl) {
return { 'Result': `Server is not available` }
}
const data = cheerio.load(html)
data('table .forumline tbody tr').each((_, element) => {
const checkData = data(element).find('.row4 .wbr .med').text().trim()
if (checkData.length > 0) {
const torrent = {
'Name': data(element).find('.row4 .wbr .med').text().trim(),
'Id': data(element).find('.row4 .wbr .med').attr('href').replace(/.+t=/g, ''),
'Url': `${url}/forum/` + data(element).find('.row4 .wbr .med').attr('href'),
'Torrent': `${url}/forum/dl.php?t=` + data(element).find('.row4 .wbr .med').attr('href').replace(/.+t=/g, ''),
// Забираем первые два значения (размер и тип данных)
/// 'Size': data(element).find('.row4.small:eq(0)').text().trim().split(' ').slice(0,1).join(' '),
'Size': data(element).find('a.small.tr-dl.dl-stub').text().trim().split(' ').slice(0, 1).join(' '),
'Download_Count': data(element).find('td.row4.small.number-format').text().trim(),
// Проверяем проверенный ли торрент и изменяем формат вывода
'Checked': data(element).find('td.row1.t-ico').text().trim() === '√' ? 'True' : 'False',
// 'Type_Link': `${url}/forum/` + data(element).find('.row1 .f-name .gen').attr('href'),
'Category': data(element).find('.row1 .f-name .gen').text().trim(),
'Seeds': data(element).find('b.seedmed').text().trim(),
'Peers': data(element).find('td.row4.leechmed.bold').text().trim(),
// Заменяем все символы пробела на обычные пробелы и форматируем дату (передаем пробел вторым параметром разделителя)
'Date': formatDate(
data(element).find('td.row4 p').text().trim().replace(/(\d{1,2}-[А-Яа-я]{3}-\d{2}).*/, '$1'),
"-"
)
}
torrents.push(torrent)
}
})
if (torrents.length === 0) {
return { 'Result': 'No matches were found for your title' }
} else {
return torrents
}
}
// RuTracker All Page
async function RuTrackerAllPage(query, categoryId) {
let result = []
page = 0
while (true) {
let currentResult = await RuTracker(query, categoryId, page)
if (Array.isArray(currentResult)) {
currentResult.forEach(element => {
result.push(element)
})
} else {
result = [{ 'Result': 'No matches were found for your title' }]
break
}
// Максимум 10 страниц
if (currentResult.length === 50 && page < 9) {
page++
}
else {
break
}
}
return result
}
// RuTracker ID
async function RuTrackerID(query) {
const url = `https://rutracker.org/forum/viewtopic.php?t=${query}`
let html
try {
const response = await axiosProxy.get(url, {
responseType: 'arraybuffer',
headers: headers_RuTracker
})
html = iconv.decode(response.data, 'win1251')
console.log(`${getCurrentTime()} [Request] ${url}`)
} catch (error) {
console.error(`${getCurrentTime()} [ERROR] ${error.hostname} server is not available (Code: ${error.code})`)
return { 'Result': `The ${error.hostname} server is not available` }
}
const data = cheerio.load(html)
let Name = data('a#topic-title').text().trim()
// Hash
let Hash = data('a[href*="magnet:?xt=urn:btih:"]').attr('href').replace(/.+btih:|&.+/g, '')
// Получение ссылки на загрузку торрент файла (по поиску части содержимого атрибута и по классу необходимы Cookie)
// let Torrent = data('a[href*="dl.php?t="]').attr('href')
// let Torrent = data('a.dl-stub.dl-link.dl-topic').attr('href')
let Torrent = `https://rutracker.org/forum/dl.php?t=${query}`
// IMDb
let imdb
data('a[href*="imdb.com"]').each((index, element) => {
const href = data(element).attr('href')
if (href.includes('imdb.com')) {
imdb = href
return false
}
})
if (!imdb) {
imdb = ""
}
// Kinopoisk
let kp
data('a[href*="kinopoisk.ru"]').each((index, element) => {
const href = data(element).attr('href')
if (href.includes('kinopoisk.ru')) {
kp = href
return false
}
})
if (!kp) {
kp = ""
}
// Год выпуска
const Year = (() => {
const element = data('span.post-b:contains("Год")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Страна
let Release = (() => {
const element = data('span.post-b:contains("Страна")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Жанр
const Type = (() => {
const element = data('span.post-b:contains("Жанр")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Продолжительность
const Duration = (() => {
const element = data('span.post-b:contains("Продолжительность")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Перевод
const Audio = (() => {
const element = data('span.post-b:contains("Перевод")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Режиссёр
const Directer = (() => {
const element = data('span.post-b:contains("Режиссёр")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// В ролях
const Actors = (() => {
const element = data('span.post-b:contains("В ролях")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Описание
const Description = (() => {
const element = data('span.post-b:contains("Описание")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Качество
const videoQuality = (() => {
const element = data('span.post-b:contains("Качество")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Видео
const Video = (() => {
const element = data('span.post-b:contains("Видео")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})()
// Постер
let Poster = ''
const posterElement = data('.postImg.postImgAligned.img-right').attr('title')
if (posterElement && posterElement.length) {
Poster = posterElement
}
// Получаем список файлов
let torrents = []
// Puppeteer
if (RuTrackerPuppeteer == true) {
torrents = await RuTrackerFilesPuppetter(query)
} else {
const urlFiles = 'https://rutracker.org/forum/viewtorrent.php'
const postData = `t=${query}`
try {
const response = await axiosProxy.post(urlFiles, postData, {
responseType: 'arraybuffer',
headers: headers_RuTracker
})
html = iconv.decode(response.data, 'win1251')
console.log(`${getCurrentTime()} [Request] ${urlFiles} (RuTracker Files)`)
} catch (error) {
console.error(`${getCurrentTime()} [ERROR] ${error.hostname} server is not available (Code: ${error.code})`)
return { 'Result': `The ${error.hostname} server is not available` }
}
const dataFiles = cheerio.load(html)
dataFiles('ul.ftree > li.dir > ul > li').each((index, element) => {
const fileName = dataFiles(element).find('b').text().trim()
const fileSize = dataFiles(element).find('i').text().trim()
torrents.push({
Name: fileName,
Size: fileSize
})
})
}
return [
{
Name: Name,
Url: url,
Hash: Hash,
Magnet: addTrackerList(Hash,"RuTracker"),
Torrent: Torrent,
IMDb_link: imdb,
Kinopoisk_link: kp,
IMDb_id: imdb.replace(/[^0-9]/g, ''),
Kinopoisk_id: kp.replace(/[^0-9]/g, ''),
Year: Year.replace(/:\s/g, ''),
Release: Release.replace(/:\s/g, ''),
Type: Type.replace(/:\s/g, ''),
Duration: Duration.replace(/:\s/g, '').replace(/~ |~/g, ''),
Audio: Audio.replace(/:\s/g, ''),
Directer: Directer.replace(/:\s/g, ''),
Actors: Actors.replace(/:\s/g, ''),
Description: Description.replace(/:\s/g, ''),
Quality: videoQuality.replace(/:\s/g, ''),
Video: Video.replace(/:\s/g, ''),
Poster: Poster,
Files: torrents
}
]
}
async function RuTrackerFilesPuppetter(query) {
const torrents = []
const url = `https://rutracker.org/forum/viewtopic.php?t=${query}`
const launchOptions = {
// Скрыть отображение браузера (по умолчанию)
headless: true,
// Опции запуска браузера без песочницы, которая изолирует процессы от операционной системы (для работы через Docker)
args: [
'--no-sandbox',
'--disable-setuid-sandbox',
'--disable-quic'
]
}
// Добавляем Proxy в конфигурацию запуска браузера
if (argv.proxyAddress && argv.proxyPort) {
launchOptions.args.push(`--proxy-server=http://${argv.proxyAddress}:${argv.proxyPort}`)
}
// Запускаем браузер
const browser = await puppeteer.launch(launchOptions)
// Открываем новую пустую страницу
const page = await browser.newPage()
// Авторизация в Proxy
if (argv.username && argv.password) {
await page.authenticate({
username: argv.username,
password: argv.password
})
}
// Устанавливаем Cookie
const cookies = [
{ name: 'bb_session', value: '0-44590272-Sp8wQfjonpx37QjDuZUD', domain: '.rutracker.org', path: '/' }
]
for (const cookie of cookies) {
await page.setCookie(cookie)
}
// Открываем страницу
// await page.goto(`https://rutracker.org/forum/viewtopic.php?t=6489937`, {timeout: 60000, waitUntil: 'domcontentloaded'})
await page.goto(url, {
// Ожиданием загрузку страницы 60 секунд
timeout: 60000,
// Ожидать только полной загрузки DOM (не ждать загрузки внешних ресурсов, таких как изображения, стили и скрипты)
waitUntil: 'domcontentloaded'
})
// Ожидаем загрузку кнопки на странице
await page.waitForSelector('.lite')
// Метод выполнения JavaScript в контексте страницы браузера
await page.evaluate(() => {
// Находим кнопку по пути JavaScript (по id) и нажимаем на нее
document.querySelector("#tor-filelist-btn").click()
// Находим все кпноки (по классу или id)
// const buttons = document.querySelectorAll('.lite')
// const buttons = document.querySelectorAll('#tor-filelist-btn')
// Проходимся по найденным кнопкам
// buttons.forEach(button => {
// // Проверяем, содержит ли кнопка текст "Список файлов" и нажимаем на нее
// if (button.textContent.includes('Список файлов')) {
// button.click()
// }
// })
})
// Дожидаемся загрузки нового элемента
// const elementHandle = await page.waitForSelector('#tor-filelist')
// Находим элемент с идентификатором #tor-filelist или по классу .med.ftree-windowed
await page.waitForFunction(() => {
// Первый аргумент функция с условием, которая должна вернуть true
const element = document.querySelector('#tor-filelist')
// Проверяем, что элемент существует и его содержимое не содержит текст загрузки
return element && !element.textContent.includes("загружается...")
},
// Опции
{
// Ожидать результат 30 секунд (по умолчанию)
timeout: 30000,
// Проверка каждые 50мс (по умолчанию 100мс)
polling: 50
})
// После успешной проверки возвращаем результат, используя метод textContent, innerText (массив) или innerHTML (включая HTML-разметку внутри элемента) или null
const elementTable = await page.evaluate(() => {
const element = document.querySelector('#tor-filelist')
return element ? element.innerHTML : null
})
// Закрываем браузер
await browser.close()
// Заполняем массив
const dataFiles = cheerio.load(elementTable)
dataFiles('li.file').each((index, element) => {
const fileName = dataFiles(element).find('b').text().trim()
const fileSize = dataFiles(element).find('s').text().trim()
torrents.push({
Name: fileName,
Size: fileSize
})
})
return torrents
}
// RuTracker RSS Native
async function RuTrackerRSS(typeData, categoryId) {
const url = `https://feed.rutracker.cc/atom/f/${categoryId}.atom`
console.log(`${getCurrentTime()} [Request] ${url}`)
try {
const response = await axiosProxy.get(url, {
headers: headers
})
if (typeData === "json") {
const parser = new xml2js.Parser({
mergeAttrs: true,
explicitArray: false
})
let json = await parser.parseStringPromise(response.data)
// Вытаскиваем только item (entry) для json
json = json.feed.entry.map(item => ({
id: item.id,
link: item.link.href,
updated: item.updated,
title: item.title,
author: item.author.name,
author: item.author.name,
category: item.category.term,
categoryLable: item.category.label
}))
return json
} else {
return response.data
}
} catch (error) {
console.error(`${getCurrentTime()} [ERROR] ${error.hostname} server is not available (Code: ${error.code})`)
return { 'Result': `Server is not available` }
}
}
// Kinozal
async function Kinozal(query, categoryId, page, year, format) {
if (query === 'undefined') {
query = ''
}
const urls = [
'https://kinozal.tv',
'https://kinozal.me',
'https://kinozal.guru'
]
let checkUrl = false
const torrents = []
let html
let url
for (const u of urls) {
url = u.replace('https://','')
const urlQuery = `${u}/browse.php?s=${query}&page=${page}&c=${categoryId}&d=${year}&v=${format}`
try {
const response = await axiosProxy.get(urlQuery, {
timeout: 3000,
responseType: 'arraybuffer',
headers: headers
})
html = iconv.decode(response.data, 'win1251')
checkUrl = true
console.log(`${getCurrentTime()} [Request] ${urlQuery}`)
break
} catch (error) {
console.error(`${getCurrentTime()} [ERROR] ${error.hostname} server is not available (Code: ${error.code})`)
}
}
if (!checkUrl) {
return { 'Result': `Server is not available` }
}
// Загружаем HTML-страницу с помощью Cheerio
const data = cheerio.load(html)
// Поиск таблицы с классом (.) t_peer, его дочернего элемента tbody и вложенных tr для перебора строк таблицы и извлечения данных из каждой строки
data('.t_peer tbody tr').each((_, element) => {
// Проверяем, что элемент с названием не пустой (пропустить первый элемент наименование столбцов)
const checkData = data(element).find('.nam a')
if (checkData.length > 0) {
// Ищем дочерний элемент с классом 'nam' и его вложенным элементом 'a'
torrentName = data(element).find('.nam a')
// Забираем текст заголовка и разбиваем его на массив
const Title = torrentName.text().trim()
const arrTitle = Title.split(" / ")
// Получаем количество элементов в заголовке
// const count = arrTitle.length
// +++ Анализ заголовка
// Забираем все элементы 's'
const s = data(element).find('.s')
// Забираем дату из 3-его элемента 's'
const sDate = s.eq(2).text().trim() // сейчас || сегодня в 15:17 || вчера в 23:51 || 06.10.2024 в 19:47
// Разбиваем дату на массив
const dateArray = sDate.split(" ")
let date
let time
// Получаем текущую дату и время
const today = new Date()
let currentDay = String(today.getDate()).padStart(2, '0')
let currentMonth = String(today.getMonth() + 1).padStart(2, '0') // Месяцы начинаются с 0
let currentYear = today.getFullYear()
// Проверяем и обновляем дату и время до формата dd.mm.yyyy и hh:mm
if (dateArray.includes('сейчас')) {
date = `${currentDay}.${currentMonth}.${currentYear}`
time = `${today.getHours()}:${today.getMinutes()}`
}
// Получаем текущую дату и вытаскиваем время из массива
else if (dateArray.includes('сегодня')) {
date = `${currentDay}.${currentMonth}.${currentYear}`
time = dateArray[2]
}
// Вычитаем один день
else if (dateArray.includes('вчера')) {
today.setDate(today.getDate() - 1)
currentDay = String(today.getDate()).padStart(2, '0')
currentMonth = String(today.getMonth() + 1).padStart(2, '0')
currentYear = today.getFullYear()
date = `${currentDay}.${currentMonth}.${currentYear}`
time = dateArray[2]
}
else {
date = dateArray[0]
time = dateArray[2]
}
// Получем жанр по type id
const categoryGetId = data(element).find("td.bt img")?.attr("onclick")?.match(/\d+/)[0]
// Получаем название жанра по id через индекс массива
const category = categoryList.Kinozal[categoryGetId]
// Заполняем новый временный массив
const torrent = {
// Заполняем параметры из заголовка
'Name': Title.trim(),
'Title': arrTitle[0].trim(),
'Id': torrentName.attr('href').replace(/.+id=/, ''),
'Original_Name': arrTitle[1]?.trim() || '',
'Year': arrTitle[2]?.trim() || '',
'Language': arrTitle[3]?.trim() || '',
'Format': arrTitle[4]?.trim() || '',
'Url': `https://${url}` + torrentName.attr('href'),
'Torrent': `https://dl.${url}` + data(element).find('.nam a').attr('href').replace(/details/, 'download'),
// Обновить наименования едениц измерений на англ.
'Size': s.eq(1).text().trim().replace(/КБ/g, 'KB').replace(/ГБ/g, 'GB').replace(/МБ/g, 'MB'),
'Comments': s.eq(0).text().trim(),
'Category': category,
'Seeds': data(element).find('.sl_s').text().trim(),
'Peers': data(element).find('.sl_p').text().trim(),
'Time': time,
'Date': date
}
torrents.push(torrent)
}
})
if (torrents.length === 0) {
return { 'Result': 'No matches were found for your title' }
} else {
return torrents
}
}
// Kinozal All Page
async function KinozalAllPage(query, categoryId, year, format) {
let result = []
page = 0
while (true) {
let currentResult = await Kinozal(query, categoryId, page, year, format)
if (Array.isArray(currentResult)) {
currentResult.forEach(element => {
result.push(element)
})
} else {
result = [{ 'Result': 'No matches were found for your title' }]
break
}
// Максимум 100 страниц
if (currentResult.length === 50 && page < 99) {
page++
}
else {
break
}
}
return result
}
// Kinozal ID
async function KinozalID(query) {
const url = `https://kinozal.tv/details.php?id=${query}`
const torrents = []
let html
try {
const response = await axiosProxy.get(url, {
responseType: 'arraybuffer',
headers: headers
})
html = iconv.decode(response.data, 'win1251')
console.log(`${getCurrentTime()} [Request] ${url}`)
} catch (error) {
console.error(`${getCurrentTime()} [ERROR] ${error.hostname} server is not available (Code: ${error.code})`)
return { 'Result': `The ${error.hostname} server is not available` }
}
const data = cheerio.load(html)
// Hash and files
const url_get_srv_details = `https://kinozal.tv/get_srv_details.php?id=${query}&action=2`
let html2
try {
const response = await axiosProxy.get(url_get_srv_details, {
responseType: 'arraybuffer',
headers: headers_Kinozal
})
html2 = iconv.decode(response.data, 'utf8')
console.log(`${getCurrentTime()} [Request] ${url}`)
} catch (error) {
console.error(`${getCurrentTime()} [ERROR] ${error.hostname} server is not available (Code: ${error.code})`)
return { 'Result': `The ${error.hostname} server is not available` }
}
dataFiles = cheerio.load(html2)
// Files
const torrentFiles = []
dataFiles('div.treeview ul li').each((index, element) => {
const fileName = dataFiles(element).text().trim()
// Получаем текст из дочернего элемента <i>
const fileSize = dataFiles(element).find('i').text().trim()
torrentFiles.push({
// Удаляем размер из названия (разбиваем на массив, удаляем последние 3 элемента и объединяем обратно)
Name: fileName.split(' ').slice(0, -3).join(' '),
// Удаляем байты
Size: fileSize.replace(/ \(.+/, '')
})
})
// Проверяем количество элементов в массиве
if (torrentFiles.length == 0) {
dataFiles('div.b.ing').each((index, element) => {
const fileName = dataFiles(element).text().trim()
const fileSize = dataFiles(element).find('i').text().trim()
torrentFiles.push({
Name: fileName.split(' ').slice(0, -3).join(' '),
Size: fileSize.replace(/ \(.+/, '')
})
})
}
// IMDb
let imdb
data('a[href*="imdb.com"]').each((index, element) => {
const href = data(element).attr('href')
if (href.includes('imdb.com')) {
imdb = href
return false
}
})
if (!imdb) {
imdb = ""
}
// Kinopoisk
let kp
data('a[href*="kinopoisk.ru"]').each((index, element) => {
const href = data(element).attr('href')
if (href.includes('kinopoisk.ru')) {
kp = href
return false
}
})
if (!kp) {
kp = ""
}
let Hash = dataFiles('li').eq(0).text().replace(/.+:/, '').trim()
// Постер
let Poster = ''
const posterElement = data('div.content > div.mn_wrap > div.mn1_menu > ul > li > a > img').attr('src')
if (posterElement && posterElement.length) {
// Проверка на внешний или внутренний источник постера
if (posterElement.startsWith('http')) {
Poster = posterElement
} else {
Poster = 'https://kinozal.tv' + posterElement
}
}
// Массив из внешних постеров
const url_posters = `https://kinozal.tv/get_srv_details.php?id=${query}&pagesd=2`
let Posters = []
let html3
try {
const response = await axiosProxy.get(url_posters, {
responseType: 'arraybuffer',
headers: headers_Kinozal
})
html3 = iconv.decode(response.data, 'utf8')
console.log(`${getCurrentTime()} [Request] ${url}`)
} catch (error) {
console.error(`${getCurrentTime()} [ERROR] ${error.hostname} server is not available (Code: ${error.code})`)
return { 'Result': `The ${error.hostname} server is not available` }
}
let dataPosters = cheerio.load(html3)
// dataPosters('a').attr('href')
// Перебрать все элементы с тэгом 'a' для получения значения их атрибута 'href'
dataPosters('a').each((index, element) => {
const href = dataPosters(element).attr('href')
if (href) {
Posters.push(href)
}
})
// Заполняем массив
const torrent = {
'Name': (() => {
const element = data('div.mn1_content .bx1 b:contains("Название:")')[0]
if (element) {
const nextNode = element.nextSibling
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : ''
} else {
return ''
}
})(),
'Original_Name': (() => {
// Обращаемся к элементу b по наименованию контейнера
const element = data('div.mn1_content .bx1 b:contains("Оригинальное название:")')[0]
// Проверяем наличие контейнера (что оно не является null или undefined)
if (element) {
// Свойство DOM, которое возвращает следующий узел после элемента <b>
const nextNode = element.nextSibling
// Используем тернарный оператор, проверяем, что nextNode не является null или undefined и тип узла равен текстовому значению DOM
return nextNode && nextNode.nodeType === 3 ? nextNode.nodeValue.trim() : '' // Возвращаем текстовое содержимое узла или пустое значение
} else {
return ''
}
})(),
'Url': url,
'Hash': Hash,
'Magnet': addTrackerList(Hash,"Kinozal"),
'Torrent': `https://dl.kinozal.tv/download.php?id=${query}`,
'IMDb_link': imdb,
'Kinopoisk_link': kp,
'IMDB_id': imdb.replace(/[^0-9]/g, ''),
'Kinopoisk_id': kp.replace(/[^0-9]/g, ''),
// Находим нужный контейнер который содержит год выпуска и забираем текстовое значение следующего узла
'Year': data('div.mn1_content .bx1 b:contains("Год выпуска:")')[0]?.nextSibling?.nodeValue?.trim() || '',
'Type': data('div.mn1_content').find('.lnks_tobrs').eq(0)?.text()?.trim() || '',
'Release': data('div.mn1_content').find('.lnks_tobrs').eq(1)?.text()?.trim() || '',
'Directer': data('div.mn1_content').find('.lnks_toprs').eq(0)?.text()?.trim() || '',
'Actors': data('div.mn1_content').find('.lnks_toprs').eq(1)?.text()?.trim() || '',
// 'Description': data('div.mn1_content').find('.bx1.justify:eq(2) p b').eq(0)[0].nextSibling.nodeValue.trim(),
'Description': data('div#main div.content div.mn_wrap div.mn1_content div.bx1.justify p')
?.clone() // Клонируем элемент, чтобы не модифицировать исходный
?.children('b') // Выбираем все дочерние элементы 'b'
?.remove() // Удаляем их
?.end() // Возвращаемся к исходному элементу
?.text().trim() || '',
'Quality': data('div.mn1_content').find('.justify.mn2.pad5x5 b').eq(0)[0]?.nextSibling?.nodeValue?.trim() || '',
'Video': data('div.mn1_content').find('.justify.mn2.pad5x5 b').eq(1)[0]?.nextSibling?.nodeValue?.trim() || '',
'Audio': data('div.mn1_content').find('.justify.mn2.pad5x5 b').eq(2)[0]?.nextSibling?.nodeValue?.trim() || '',
'Size': data('div.mn1_content').find('.justify.mn2.pad5x5 b').eq(3)[0]?.nextSibling?.nodeValue?.trim() || '',
// 'Size': data('div.mn1_menu').find('span.floatright.green.n').eq(0).text().replace(/\(.+/, '').trim(),
'Duration': data('div.mn1_content').find('.justify.mn2.pad5x5 b').eq(4)[0]?.nextSibling?.nodeValue?.trim() || '',
'Transcript': data('div.mn1_content').find('.justify.mn2.pad5x5 b').eq(5)[0]?.nextSibling?.nodeValue?.trim() || '',
'Seeds': data('div.mn1_menu').find('span.floatright').eq(0)?.text()?.trim() || '',
'Peers': data('div.mn1_menu').find('span.floatright').eq(1)?.text()?.trim() || '',
'Download_Count': data('div.mn1_menu').find('span.floatright').eq(2)?.text()?.trim() || '',
'Files_Count': data('div.mn1_menu').find('span.floatright').eq(3)?.text()?.trim() || '',
'Comments': data('div.mn1_menu').find('span.floatright').eq(4)?.text()?.trim() || '',
'IMDb_Rating': data('div.mn1_menu').find('span.floatright').eq(5)?.text()?.trim() || '',
'Kinopoisk_Rating': data('div.mn1_menu').find('span.floatright').eq(6)?.text()?.trim() || '',
'Kinozal_Rating': data('div.mn1_menu').find('span.floatright').eq(7)?.text()?.trim().replace(/\s.+/, '') || '',
'Votes': data('div.mn1_menu').find('span.floatright').eq(8)?.text()?.trim() || '',
'Added_Date': data('div.mn1_menu').find('span.floatright.green.n').eq(1)?.text()?.trim() || '',
'Update_Date': data('div.mn1_menu').find('span.floatright.green.n').eq(2)?.text()?.trim() || '',
'Poster': Poster,
'Posters': Posters,
'Files': torrentFiles
}