-
Notifications
You must be signed in to change notification settings - Fork 20
/
Localization.py
1321 lines (1311 loc) · 91.5 KB
/
Localization.py
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
# -*- coding: utf-8 -*-
'''
Torrenter v2 plugin for XBMC/Kodi
Copyright (C) 2012-2015 Vadim Skorba v1 - DiMartino v2
https://forums.tvaddons.ag/addon-releases/29224-torrenter-v2.html
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
'''
try:
import xbmcaddon
__settings__ = xbmcaddon.Addon(id='plugin.video.torrenter')
language = ('en', 'ru', 'uk','he', 'es')[int(__settings__.getSetting("language"))]
except:
language = 'ru'
def localize(text):
dictionary = {
'es': {
'Seeds searching.': 'Búsqueda de fuentes',
'Please Wait': 'Espere',
'Information': 'Información',
'Torrent downloading is stopped.': 'Se detuvo la descarga del torrent',
'Search': 'Buscar',
'Seeds': 'Semillas',
'Peers': 'Pares',
'Materials are loading now.': 'Se están cargando los materiales',
'Search Phrase': 'Términos de búsqueda',
'Magnet-link is converting': 'Se está convirtiendo el enlace magnet',
'Error': 'Error',
'Your library out of date and can\'t save magnet-links.': 'Su colección está anticuada y no pueden guardarse enlaces magnet.',
'Bookmarks': 'Favoritos',
'Logout': 'Cerrar sesión',
'Login': 'Iniciar sesión',
'Recent Materials': 'Materiales recientes ',
'Register': 'Registrar',
'Bookmark': 'Favorito',
'Item successfully added to Bookmarks': 'El elemento se ha añadido a "Favoritos"',
'Item successfully removed from Bookmarks': 'El elemento se ha eliminado de "Favoritos"',
'Bookmark not added': 'No se ha añadido a "Favoritos"',
'Bookmark not removed': 'No se ha eliminado de "Favoritos"',
'Add To Bookmarks': 'Añadir a "Favoritos"',
'Remove From Bookmarks': 'Eliminar de "Favoritos"',
'Auth': 'Validación',
'Already logged in': 'Ya se había iniciado sesión',
'Input Email (for password recovery):': 'Introduzca correo electrónico (para recuperar contraseña):',
'Input Email:': 'Introduzca correo electrónico:',
'Input Password (6+ symbols):': 'Introduzca contraseña (más de 6 caracteres):',
'Input Password:': 'Introduzca contraseña',
'Login successfull': 'Se ha iniciado sesión',
'Login failed': 'Falló el inicio de sesión',
'User not logged in': 'El usuario no ha iniciado sesión',
'User successfully logged out': 'El usuario ha cerrado sesión',
'Preloaded: ': 'Carga previa: ',
'Do you want to STOP torrent downloading and seeding?': '¿Desea detener la descarga y dejar de compartir el torrent?',
'Torrent Downloading': 'Descarga de torrent',
'Auth expired, please relogin': 'Expiró la identificación. Vuelva a iniciar sesión',
'Storage': 'Almacén',
'Storage has been cleared': 'El almacén se ha vaciado',
'Clear Storage': 'Vaciar almacén',
'Popular': 'Popular',
'Views': 'Vistas',
'Uploading': 'Subiendo',
'Download': 'Descargar',
'Input symbols from CAPTCHA image:': 'Introduzca los caracteres que aparecen en la imagen:',
'Please, rate watched video:': 'Valore el vídeo que ha visto:',
'Bad': 'Malo',
'So-So': 'Regular',
'Good': 'Bueno',
'Ratings': 'Valoraciones',
'Rating': 'Valoración',
'Retry': 'Reintentar',
'%ds has left': 'Ha quedado %ds',
'File failed to play! Do you want to RETRY and buffer more?': 'Falló la reproducción del archivo. ¿Desea volver a intentarlo y aumentar el tamaño de búfer?',
'High Priority Files': 'Archivos de prioridad alta',
'Skip All Files': 'Omitir todos los archivos',
'Start': 'Iniciar',
'Stop': 'Detener',
'Play':'Reproducir',
'High Priority': 'Prioridad alta',
'Skip File': 'Omitir archivo',
'Remove': 'Eliminar',
'Remove with files': 'Eliminar con los archivos',
'Play File': 'Reproducir archivo',
'Start All Files': 'Iniciar todos los archivos',
'Stop All Files': 'Detener todos los archivos',
'Torrent-client Browser': 'Explorador de cliente de BitTorrent',
'Remote Torrent-client': 'Cliente de BitTorrent remoto',
'You didn\'t set up replacement path in setting.': 'No se ha establecido una ruta alternativa en "Ajustes".',
'For example /media/dl_torr/ to smb://SERVER/dl_torr/. Setup now?': 'Por ejemplo, /media/dl_torr/ a smb://SERVER/dl_torr/. ¿Desea establecerla ahora?',
'Manual Torrent-client Path Edit': 'Edición manual de la ruta del cliente de BitTorrent',
'Choose .torrent in video library': 'Seleccione archivo .torrent en la colección de vídeos',
'.torrent Player': 'Gestor de archivo .torrent',
'Choose directory:': 'Seleccionar directorio:',
'Starting download next episode!': 'Iniciando descarga de episodio siguiente',
'Choose in torrent-client:': 'Elija cliente torrent',
'Search Control Window': 'Control de búsquedas',
'Magnet-link (magnet:...)': 'Enlace magnet (magnet:...)',
'Not a magnet-link!': 'No es un enlace magnet',
'Magnet-link Player': 'Gestor de enlace magnet',
'UNKNOWN STATUS': 'ESTADO DESCONOCIDO',
'Checking preloaded files...': 'Comprobando archivos precargados...',
'Waiting for website response...': 'Esperando respuesta del sitio web...',
'Search and cache information for:': 'Buscar y almacenar datos para:',
'Open Torrent': 'Abrir torrent',
'Torrent list is empty.': 'La lista de torrents está en blanco',
'Content Lists': 'Listas de contenido',
'Canceled by User': 'Cancelado por el usuario',
'Do you want to search and cache full metadata + arts?': '¿Desea buscar y almacenar los metadatos y fan-arts completos?',
'This vastly decreases load speed, but you will be asked to download premade bases!': 'Esto reduce considerablemente la velocidad de carga. Pero se le solicitará descargar desde cero',
'Do you want to preload full metadata?': '¿Desea precargar los metadatos completos?',
'It is highly recommended!': 'Altamente recomendado',
'TV Shows': 'Series de televisión',
'Cartoons': 'Dibujos animados',
'Anime': 'Anime',
'Most Recent': 'Estrenos',
'Top 250 Movies': 'Las 250 mejores películas',
'Top All Time': 'Las mejores de todos los tiempos',
'by Genre': 'Por género',
'by Year': 'Por año',
'Action': 'Acción',
'Adventure': 'Aventuras',
'Animation': 'Animación',
'Biography': 'Biografías',
'Comedy': 'Comedia',
'Crime': 'Policiacas',
'Documentary': 'Documentales',
'Drama': 'Drama',
'Family': 'Todos los públicos',
'Fantasy': 'Fantásticas',
'Film-Noir': 'Cine negro',
'History': 'Historia',
'Horror': 'Terror',
'Music': 'Música',
'Musical': 'Musicales',
'Mystery': 'Misterio',
'Romance': 'Románticas',
'Sci-Fi': 'Ciencia ficción',
'Short': 'Cortos',
'Sport': 'Deportes',
'Thriller': 'Suspense',
'War': 'Bélicas',
'Western': 'Películas del Oeste',
'[B]by Site[/B]': '[B]Por sitio[/B]',
'Cartoons Series': 'Series de dibujos animados',
'Cartoons Short': 'Cortos de dibujos animados',
'Male': 'Hombre',
'Female': 'Mujer',
'Russia & USSR': 'Rusia & URSS',
'Next Page': 'Página siguiente',
'Previous Page': 'Página anterior',
'Russian Movies': 'Películas rusas',
'israeli Movies': 'Películas israelíes',
'hebdub movies': 'Películas dobladas al hebreo',
'Movies': 'Películas',
'High Resolution Movies': 'Películas en alta resolución',
'3D Movies': 'Películas en 3D',
'Movies [Bluray]': 'Películas en formato Blu-ray',
'Anime Film': 'Películas Anime',
'Anime Series': 'Series Anime',
'Can\'t download torrent, probably no seeds available.': 'No se puede descargar el torrent, probablemente no hay fuentes disponibles.',
'Personal List': 'Lista personal',
'Add to %s': 'Añadir a %s',
'Delete from %s': 'Eliminar de %s',
'Added!': 'Añadido',
'Deleted!': 'Eliminado',
'Search History': 'Historial de búsquedas',
' History ':' Historial ',
'Torrent History':'Historial de archivos torrent',
'Watched History':'Historial de vistos',
'Favourites': 'Favoritos',
'Favourites SH': 'Favoritos SH',
'Clear %s': 'Vaciar %s',
'Clear!': 'Vacío',
'kb/s': 'kbps',
'Queued': 'Situado en cola',
'Checking': 'Comprobando',
'Downloading metadata': 'Descargando metadatos',
'Downloading': 'Descargando',
'Finished': 'Finalizado',
'Seeding': 'Compartiendo',
'Allocating': 'Reservando espacio',
'Allocating file & Checking resume': 'Reservando espacio y comprobando reanudación',
'For Kids': 'Para niños',
'Adult': 'Adultos',
'Does not support magnet links!': 'No compatible con enlaces magnet',
'Reset All Cache DBs': 'Reiniciar todas las bases de datos de la caché',
'[B]Search[/B]': '[B]Buscar[/B]',
'You can always restart this by deleting DBs via Context Menu': 'Siempre se puede reiniciar esto eliminando las bases de datos a través del menú contextual',
'Your preloaded databases are outdated!': 'Las bases de datos precargadas son obsoletas',
'Do you want to download new ones right now?': '¿Desea descargar versiones actualizadas?',
'Individual Tracker Options':'Opciones individuales del rastreador',
'Downloading and copy subtitles. Please wait.':'Descargando y copiando subtítulos. Espere.',
'International Check - First Run':'Comprobación internacional - Primera ejecución.',
'Delete Russian stuff?':'¿Desea eliminar las cosas de Rusia?',
'Save to path':'Ruta para guardar',
'Return Russian stuff':'Devolver las cosas de Rusia',
'%d files have been returned':'Han vuelto %d archivos',
'Download via T-client':'Descargar a través de cliente BitTorrent',
'Download via Libtorrent':'Descargar a través de Libtorrent',
'Download Status':'Estado de la descarga',
'Download has not finished yet':'La descarga no ha finalizado todavía',
'Stopped and Deleted!':'Detenido y eliminado',
'Unpaused!':'Despausado',
'Paused!':'Pausado',
'Stopped!':'Detenido',
'Started!':'Iniciado',
'Delete and Stop':'Eliminar y detener',
'Unpause':'Despausar',
'Pause':'Pausar',
'Delete':'Eliminar',
'Open':'Abrir',
'Torrent is seeding. To stop it use Download Status.':'El torrent se está compartiendo. Para detenerlo utilice "Estado de la descarga".',
'Start All':'Iniciar todo',
'Started All!':'Se ha iniciado todo',
'Stopped All!':'Se ha detenido todo',
'Stop All':'Detener todo',
'Keyboard':'Teclado',
'Copy Files in Root':'Copiar archivos en directorio personal de root (/root)',
'Copied %d files!':'Se han copiado %d archivos',
'Add to MyShows.ru':'Añadir a MyShows.ru',
'Return to MyShows.ru':'Volver a MyShows.ru',
'Search results:':'Resultados de la búsqueda',
'by Seeders':'Por fuentes',
'by Date':'Por fecha',
'Sort':'Ordenar',
'Close':'Cerrar',
'Views:':'Vistas:',
'Rating:':'Valoración:',
'Information not found!':'No se han encontrado datos',
'Choose searcher':'Elegir buscador',
'python-libtorrent Not Found':'No se ha encontrado python-libtorrent',
'Windows has static compiled python-libtorrent included.':'Windows incluye una versión de python-libtorrent compilada estáticamente',
'You should install "script.module.libtorrent" from "MyShows.me Kodi Repo"':'Se debe instalar "script.module.libtorrrent" desde el repositorio "MyShows.me"',
'Linux x64 has not static compiled python-libtorrent included.':'Linux x64 no incluye una versión de python-libtorrent compilada estáticamente',
'You should install it by "sudo apt-get install python-libtorrent"':'Se debe instalar con "sudo apt-get install python-libtorrent"',
'Linux has static compiled python-libtorrent included but it didn\'t work.':'Linux incluye una version de python-libtorrent compilada estáticamente, pero no ha funcionado',
'As far as I know you can compile python-libtorrent for ARMv6-7.':'Por lo que yo sé, python-libtorrent se puede compilar para ARMv6-7.',
'You should search for "OneEvil\'s OpenELEC libtorrent" or use Ace Stream.':'Se debe buscar "OpenELEC libtorrent de OneEvil" o utilizar Ace Stream',
'Please use install Ace Stream APK and choose it in Settings.':'Instale APK de Ace Stream y selecciónelo en "Ajustes"',
'It is possible to compile python-libtorrent for Android, but I don\'t know how.':'Es posible compilar python-libtorrent para Android, pero no sé como hacerlo.',
'It is possible to compile python-libtorrent for OS X.':'Es posible compilar python-libtorrent para Mac OS X.',
'But you would have to do it by yourself, there is some info on github.com.':'Pero debe hacerlo por sí mismo. Hay alguna información en github.com.',
'It is NOT possible to compile python-libtorrent for iOS.':'No es posible compilar python-libtorrent para iOS',
'But you can use torrent-client control functions.':'Pero se pueden utilizar las funciones de control del cliente de BitTorrent',
'I added custom searchers to Torrenter v2!':'Se han añadido buscadores personalizados a Torrenter v2',
'Now you can use your login on trackers or write and install your own searcher!':'Ahora puede identificarse en rastreadores o crear e instalar su propio buscador',
'Would you like to install %s from "MyShows.me Kodi Repo" in Programs section?':'¿Le gustaría instalar %s desde el repositorio "MyShows.me", sección Programas?',
'Open installation window?':'¿Abrir ventana de instalación?',
'Android Support':'Soporte de Android',
'Android has no temprorary folder':'Android no tiene carpeta temporal',
'Please specify storage folder in Settings!':'Especifique la carpeta de almacenamiento en "Ajustes"',
'You have no installed or active searchers! More info in Search Control Window!':'No se han instalado o activado buscadores. Tiene más información en Control de búsquedas',
'Please contact DiMartino on kodi.tv forum. We compiled python-libtorrent for Android,':'Póngase en contacto con DiMartino en el foro de kodi.tv. Hemos compilado python-libtorren para Android,',
'but we need your help with some Torrent is seeding. To stop it use Download Status.s on different processors.':'pero necesitamos su ayuda con algún torrent que se comparte. Para detenerlo utilice Estado de la descarga. En diferentes procesadores.',
'We added Android ARM full support to Torrenter v2!':'Hemos añadido compatibilidad completa para Android ARM a Torrenter v2',
'I deleted pre-installed ones, install them in Search Control Window!':'Se eliminaron los que estaban preinstalados; instálelos desde Control de búsquedas',
'Torrenter didn\'t find %s searcher':'Torrenter no ha encontrado el buscador %s',
'Torrenter Tracker Install':'Instalación de rastreador de Torrenter',
'Ask to save':'Preguntar para guardar',
'Would you like to save this file?':'¿Le gustaría guardar este archivo?',
'Your storage path is not writable or not local! Please change it in settings!':'La ruta del almacén está protegida contra escritura o no es local. Cámbiela en "Ajustes"',
'Upgrade advancedsettings.xml':'Actualizar archivo advancedsettings.xml',
'We would like to set some advanced settings for you!':'Nos gustaría efectuar algunos ajustes avanzados por usted',
'Do it!':'Hazlo',
'Please, restart Kodi now!':'Reinicie Kodi',
'./ (Root folder)':'./ (Carpeta de root)',
'Opening torrent file':'Abriendo archivo torrent',
'New player to Torrenter v2 - Torrent2HTTP! It should be faster, stable and better with Android, also seeking works in it.':'Nuevo reproductor para Torrenter v2 - Torrent2HTTP. Debe ser más rápido, estable y mejor en Android; además, con él funcionan los intercambios.',
'Would you like to try it?':'¿Le gustaría probarlo?',
'Torrent2HTTP enabled! Can be changed in Settings.':'Se ha activado Torrent2HTTP. Puede cambiarse en "Ajustes".',
'Seeking':'Compartiendo',
'Would you like to resume from %s?':'¿Le gustaría reanudar desde %s?',
'Seeking is working only with player Torrent2HTTP.':'Compartir funciona solamente con el reproductor Torrent2HTTP.',
'Play (from %s)':'Reproducir desde %s',
'Play (from start)':'Reproducir desde el inicio',
},
'he': {
'Seeds searching.': 'חיפוש זורעים',
'Please Wait': 'המתן',
'Information': 'מידע',
'Torrent downloading is stopped.': 'הורדה הופסקה',
'Search': 'חפש',
'Seeds': 'זורעים',
'Peers': 'יונקים',
'Materials are loading now.': 'עולה כעת',
'Search Phrase': 'חפש',
'Magnet-link is converting': 'הקובץ נטען',
'Error': 'טעות',
'Your library out of date and can\'t save magnet-links.': 'הספריה אינה מעודכנת',
'Bookmarks': 'סימניות',
'Logout': 'התנתק',
'Login': 'התחבר',
'Recent Materials': 'חומרים אחרונים ',
'Register': 'הרשם',
'Bookmark': 'סמניות',
'Item successfully added to Bookmarks': 'הפריט הוסף לסמניות',
'Item successfully removed from Bookmarks': 'הפריט הוסר מהסימניות בהצלחה',
'Bookmark not added': 'סימניה לא הוספה',
'Bookmark not removed': 'הסימניה לא הוסרה',
'Add To Bookmarks': 'הוסף לסימניות',
'Remove From Bookmarks': 'הסר מסימניות',
'Auth': 'אישור',
'Already logged in': 'Already logged in',
'Input Email (for password recovery):': 'Input Email (for password recovery):',
'Input Email:': 'Input Email:',
'Input Password (6+ symbols):': 'Input Password (6+ symbols):',
'Input Password:': 'Input Password',
'Login successfull': 'Login successfull',
'Login failed': 'Login failed',
'User not logged in': 'Пользователь не в системе',
'User successfully logged out': 'User successfully logged out',
'Preloaded: ': 'טוען מראש',
'Do you want to STOP torrent downloading and seeding?': 'להפסיק הורדת טורנט?',
'Torrent Downloading': 'טורנט בהורדה',
'Auth expired, please relogin': 'Auth expired, please relogin',
'Storage': 'אחסון',
'Storage has been cleared': 'אחסון נוקה',
'Clear Storage': 'נקה אחסון',
'Popular': 'פופולארי',
'Views': 'צפיות',
'Uploading': 'מעלה',
'Download': 'מוריד',
'Input symbols from CAPTCHA image:': 'Input symbols from CAPTCHA image:',
'Please, rate watched video:': 'Please, rate watched video:',
'Bad': 'Bad',
'So-So': 'So-So',
'Good': 'Good',
'Ratings': 'Ratings',
'Rating': 'דירוג',
'Retry': 'נסה שנית',
'%ds has left': '%ds has left',
'File failed to play! Do you want to RETRY and buffer more?': 'הקובץ נכשל האם לנסות שנית?',
'High Priority Files': 'קבצים בחשיבות עליונה',
'Skip All Files': 'דלג על כל הקבצים',
'Start': 'התחל',
'Stop': 'עצור',
'Play':'נגן',
'High Priority': 'חשיבות גבוהה',
'Skip File': 'דלג על הקובץ',
'Remove': 'הסר',
'Remove with files': 'הסר קבצים',
'Play File': 'נגן קובץ',
'Start All Files': 'התחל את כל הקבצים',
'Stop All Files': 'הפסק את כל הקבצים',
'Torrent-client Browser': 'דפדפן טורנט',
'Remote Torrent-client': 'טורנט מרוחק',
'You didn\'t set up replacement path in setting.': 'נא למלא נתיב לשמירה בהגדרות',
'For example /media/dl_torr/ to smb://SERVER/dl_torr/. Setup now?': 'For example /media/dl_torr/ to smb://SERVER/dl_torr/. Setup now?',
'Manual Torrent-client Path Edit': 'Manual Torrent-client Path Edit',
'Choose .torrent in video library': 'בחר בטורנט מהספריה',
'.torrent Player': 'נגן טורנט',
'Choose directory:': 'בחר מיקום:',
'Starting download next episode!': 'מתחיל להורד בפרק הבא',
'Choose in torrent-client:': 'בחר לקוח טורנט',
'Search Control Window': 'הגדרת טראקרים',
'Magnet-link (magnet:...)': ' (magnet:...)קישור מגנט',
'Not a magnet-link!': 'לא קישור מגנט',
'Magnet-link Player': 'נגן קישור מגנט',
'UNKNOWN STATUS': 'סטטוס לא ידוע',
'Checking preloaded files...': 'בודק קבצים',
'Waiting for website response...': 'ממתין לתשובת האתר ',
'Search and cache information for:': 'תקצירי הסרטים יורדים',
'Open Torrent': 'פתח טורנט',
'Torrent list is empty.': 'רשימה ריקה',
'Content Lists': 'רשימות תוכן ההרחבה',
'Canceled by User': 'בוטל',
'Do you want to search and cache full metadata + arts?': 'האם תרצה להוריד מידע על הסרטים',
'This vastly decreases load speed, but you will be asked to download premade bases!': 'זה יאט את קצב ההעלאה אך יוריד מידע על הסרטים',
'Do you want to preload full metadata?': 'האם תרצה להוריד את כל המידע',
'It is highly recommended!': 'מומלץ',
'TV Shows': 'סדרות',
'Cartoons': 'אנימציה',
'Anime': 'אנימה',
'Most Recent': 'החדשים ביותר',
'Top 250 Movies': '250 הטובים ביותר',
'Top All Time': 'הטובים בכל הזמנים',
'by Genre': 'לפי קטגוריה',
'by Year': 'לפי שנה',
'Action': 'פעולה',
'Adventure': 'הרפתקאות',
'Animation': 'אנימציה',
'Biography': 'ביוגרפי',
'Comedy': 'קומדיה',
'Crime': 'פשע',
'Documentary': 'דוקומנטרי',
'Drama': 'דרמה',
'Family': 'משפחתי',
'Fantasy': 'פנטסיה',
'Film-Noir': 'פילם נואר',
'History': 'היסטורי',
'Horror': 'אימה',
'Music': 'מוזיקה',
'Musical': 'מחזמר',
'Mystery': 'מסתורי',
'Romance': 'רומנטי',
'Sci-Fi': 'מדע בדיוני',
'Short': 'קצר',
'Sport': 'ספורט',
'Thriller': 'מותחן',
'War': 'מלחמתי',
'Western': 'מערבון',
'[B]by Site[/B]': '[B]על פי אתר[/B]',
'Cartoons Series': 'סדרה מצוירת',
'Cartoons Short': 'מצוירים -קצר',
'Male': 'גבר',
'Female': 'אשה',
'Russia & USSR': 'רוסיה',
'Next Page': 'הדף הבא',
'Previous Page': 'הדף הקודם',
'Russian Movies': 'סרטים רוסיים',
'israeli Movies': 'סרטים ישראלים',
'hebdub movies': 'סרטים מדובבים',
'Movies': 'סרטים',
'High Resolution Movies': 'סרטים באיכות גבוהה',
'3D Movies': '3D סרטי',
'Movies [Bluray]': ' [Bluray] סרטים ',
'Anime Film': 'סרטי אנימה',
'Anime Series': 'סדרות אנימה',
'Can\'t download torrent, probably no seeds available.': 'לא ניתן להוריד את הטורנט אין מספיק זורעים',
'Personal List': 'רשימה אישית',
'Add to %s': '%s הוסף ל ',
'Delete from %s': 'מחק מ %s',
'Added!': 'נוסף!',
'Deleted!': 'נמחק',
'Search History': 'הסטורית חיפוש',
' History ':' הסטוריה ',
'Torrent History':'הסטורית טורנט',
'Watched History':'הסטורית צפיה',
'Favourites': 'מועדפים',
'Favourites SH': 'מועדפי הסטורית חיפוש',
'Clear %s': 'נקה %s',
'Clear!': 'נקה',
'kb/s': 'kb/s',
'Queued': 'בתור',
'Checking': 'בודק',
'Downloading metadata': 'מוריד מידע',
'Downloading': 'מוריד',
'Finished': 'סיים',
'Seeding': 'זורע',
'Allocating': 'מאתר',
'Allocating file & Checking resume': 'מאתר קובץ ובודק',
'For Kids': 'לילדים',
'Adult': 'מבוגרים',
'Does not support magnet links!': 'לא תומך בקובץ מגנט!',
'Reset All Cache DBs': 'רענן מחדש',
'[B]Search[/B]': '[B]חפש[/B]',
'You can always restart this by deleting DBs via Context Menu': 'You can always restart this by deleting DBs via Context Menu',
'Your preloaded databases are outdated!': 'Your preloaded databases are outdated!',
'Do you want to download new ones right now?': 'Do you want to download new ones right now?',
'Individual Tracker Options':'Individual Tracker Options',
'Downloading and copy subtitles. Please wait.':'Downloading and copy subtitles. Please wait.',
'International Check - First Run':'בדיקה אינטרנשיונאלית ',
'Delete Russian stuff?':'למחוק תוכן רוסי?',
'Save to path':'שמור בנתיב',
'Return Russian stuff':'להחזיר תוכן רוסי',
'%d files have been returned':'הקובץ הוחזר',
'Download via T-client':'הורד דרך לקוח טי',
'Download via Libtorrent':'הורד דרך ליבטורנט',
'Download Status':'מצב הורדה',
'Download has not finished yet':'ההורדה לא הסתיימה',
'Stopped and Deleted!':'נעצר ונמחק',
'Unpaused!':'לא נעצר',
'Paused!':'נעצר',
'Stopped!':'הופסק',
'Started!':'התחיל',
'Delete and Stop':'מחק ועצור',
'Unpause':'אל תפסיק',
'Pause':'הפסק',
'Delete':'מחק',
'Open':'פתח',
'Torrent is seeding. To stop it use Download Status.':'Torrent is seeding. To stop it use Download Status.',
'Start All':'התחל הכל',
'Started All!':'מיין הכל',
'Stopped All!':'עצר',
'Stop All':'עצור הכל',
'Keyboard':'מקלדת',
'Copy Files in Root':'Copy Files in Root',
'Copied %d files!':'Copied %d files!',
'Add to MyShows.ru':'Add to MyShows.ru',
'Return to MyShows.ru':'Return to MyShows.ru',
'Search results:':'תוצאות חיפוש',
'by Seeders':'לפי כמות זורעים',
'by Date':'לפי זמן',
'Sort':'סדר',
'Close':'סגור',
'Views:':'צפיות:',
'Rating:':'דירוג:',
'Information not found!':'המידע לא נמצא',
'Choose searcher':'בחר טראקר',
'python-libtorrent Not Found':'לא נמצא',
'Windows has static compiled python-libtorrent included.':'לליבטורנט יש קובץ התקנה עבור ווינדוס',
'You should install "script.module.libtorrent" from "MyShows.me Kodi Repo"':'נא להתקין את הקובץ script.module.libtorrent. מתוך הריפו',
'Linux x64 has not static compiled python-libtorrent included.':'Linux x64 has not static compiled python-libtorrent included.',
'You should install it by "sudo apt-get install python-libtorrent"':'You should install it by "sudo apt-get install python-libtorrent"',
'Linux has static compiled python-libtorrent included but it didn\'t work.':'На Linux x86 есть статическая python-libtorrent, но она очевидно не сработала.',
'As far as I know you can compile python-libtorrent for ARMv6-7.':'As far as I know you can compile python-libtorrent for ARMv6-7.',
'You should search for "OneEvil\'s OpenELEC libtorrent" or use Ace Stream.':'Поищи "OneEvil\'s OpenELEC libtorrent" или используй Ace Stream',
'Please use install Ace Stream APK and choose it in Settings.':'Установите Ace Stream APK и выберите плеер в Найстройка плагина',
'It is possible to compile python-libtorrent for Android, but I don\'t know how.':'Вообще скомпилировать python-libtorrent на Android можно, но мы не знаем как.',
'It is possible to compile python-libtorrent for OS X.':'Вообще скомпилировать python-libtorrent на OS X можно.',
'But you would have to do it by yourself, there is some info on github.com.':'But you would have to do it by yourself, there is some info on github.com.',
'It is NOT possible to compile python-libtorrent for iOS.':'It is NOT possible to compile python-libtorrent for iOS',
'But you can use torrent-client control functions.':'But you can use torrent-client control functions.',
'I added custom searchers to Torrenter v2!':'I added custom searchers to Torrenter v2!',
'Now you can use your login on trackers or write and install your own searcher!':'Now you can use your login on trackers or write and install your own searcher!',
'Would you like to install %s from "MyShows.me Kodi Repo" in Programs section?':'Would you like to install %s from "MyShows.me Kodi Repo" in Programs section?',
'Open installation window?':'לפתוח את חלון ההתקנה?',
'Android Support':'תמיכה באנדרואיד',
'Android has no temprorary folder':'',
'Please specify storage folder in Settings!':'בחר תיקיה לשמירת הקבצים בהגדרות',
'You have no installed or active searchers! More info in Search Control Window!':'לא קיימים טראקרים פעילים נא להוסיף דרך "הגדרות טראקרים"',
'Please contact DiMartino on kodi.tv forum. We compiled python-libtorrent for Android,':'Please contact DiMartino on kodi.tv forum. We compiled python-libtorrent for Android,',
'but we need your help with some Torrent is seeding. To stop it use Download Status.s on different processors.':'but we need your help with some Torrent is seeding. To stop it use Download Status.s on different processors.',
'We added Android ARM full support to Torrenter v2!':'We added Android ARM full support to Torrenter v2!',
'I deleted pre-installed ones, install them in Search Control Window!':'I deleted pre-installed ones, install them in Search Control Window!',
'Torrenter didn\'t find %s searcher':'טראקר לא נמצא',
'Torrenter Tracker Install':'טראקר הותקן',
'Ask to save':'בקש לשמור',
'Would you like to save this file?':'האם תרצה לשמור קובץ זה?',
'Your storage path is not writable or not local! Please change it in settings!':'שטח אחסון הקבצים לא מקומי או שלא ניתן לכתוב בו ,שנה בהגדרות',
'Upgrade advancedsettings.xml':'Upgrade advancedsettings.xml',
'We would like to set some advanced settings for you!':'We would like to set some advanced settings for you!',
'Do it!':'עשה זאת',
'Please, restart Kodi now!':'התחל מחדש את קודי',
'./ (Root folder)':'./ (Root folder)',
'Opening torrent file':'פותח קבצים',
'New player to Torrenter v2 - Torrent2HTTP! It should be faster, stable and better with Android, also seeking works in it.':'נגן חדש (מומלץ)',
'Would you like to try it?':'האם תרצה לנסות',
'Torrent2HTTP enabled! Can be changed in Settings.':'Torrent2HTTP הופעל',
'Seeking':'מחפש',
'Would you like to resume from %s?':'האם תרצה לחזור מ $?',
'Seeking is working only with player Torrent2HTTP.':' לא עובד עם נגן זה ',
'Play (from %s)':'%s נגן מ',
'Play (from start)':'נגן מהתחלה',
},
'hu': {
'Seeds searching.': 'Seederek keresése.',
'Please Wait': 'Kérlek várj',
'Information': 'Információ',
'Torrent downloading is stopped.': 'A torrent letöltése befejeződött.',
'Search': 'Keresés',
'Seeds': 'Seederek',
'Peers': 'Kapcsolatok',
'Materials are loading now.': 'A tartalmak most töltődnek.',
'Search Phrase': 'Keresés kifejezésre',
'Magnet-link is converting': 'Magnet-link konvertálása',
'Error': 'Hiba',
'Your library out of date and can\'t save magnet-links.': 'A könyvtár elavult, nem lehet lementeni a magnet-linket.',
'Bookmarks': 'Könyvjelzők',
'Logout': 'Kijelentkezés',
'Login': 'Bejelentkezés',
'Recent Materials': 'Jelenlegi tartalmak',
'Register': 'Regisztráció',
'Bookmark': 'Könyvjelző',
'Item successfully added to Bookmarks': 'Az elem sikeresen hozzáadva a Könyvjelzőkhöz',
'Item successfully removed from Bookmarks': 'Az elem sikeresen törölve a Könyvjelzőkből',
'Bookmark not added': 'A könyvjelző nem lett hozzáadva',
'Bookmark not removed': 'A könyvjelző nem lett törölve',
'Add To Bookmarks': 'Hozzáadás a Könyvjelzőkhöz',
'Remove From Bookmarks': 'Eltávolítás a Könyvjelzőkből',
'Auth': 'Hitelesítés',
'Already logged in': 'Már be vagy jelentkezve',
'Input Email (for password recovery):': 'E-mail bevitel (jelszó helyreállításához):',
'Input Email:': 'E-mail bevitel:',
'Input Password (6+ symbols):': 'Jelszó bevitel (6+ karakter):',
'Input Password:': 'Jelszó bevitel:',
'Login successfull': 'Bejelentkezés sikeres',
'Login failed': 'Bejelentkezés sikertelen',
'User not logged in': 'A felhasználó nincs bejelentkezve',
'User successfully logged out': 'A felhasználó sikeresen kijelentkezett',
'Preloaded: ': 'Előtöltés: ',
'Do you want to STOP torrent downloading and seeding?': 'Be akarod fejezni a torrent letöltését és seedelését?',
'Torrent Downloading': 'Torrent letöltése',
'Auth expired, please relogin': 'Hitelesítés lejárt, kérlek jelentkezz be újra',
'Storage': 'Tárolóhely',
'Storage has been cleared': 'A tárolóhely megtisztítva',
'Clear Storage': 'Tárolóhely Megtisztítása',
'Popular': 'Népszerű',
'Views': 'Nézetek',
'Uploading': 'Feltöltés',
'Download': 'Letöltés',
'Input symbols from CAPTCHA image:': 'Szimbólumok bevitele a CAPTCHA képről:',
'Please, rate watched video:': 'Kérlek, értékeld a megnézett videót:',
'Bad': 'Rossz',
'So-So': 'Elmegy',
'Good': 'Jó',
'Ratings': 'Értékelések',
'Rating': 'Értékelés',
'Retry': 'Újra',
'%ds has left': '%ds van hátra',
'File failed to play! Do you want to RETRY and buffer more?': 'A fájl lejátszása hibába ütközött. Újra akarod indítani és többet bufferelni?',
'High Priority Files': 'Magas prioritású fájlok',
'Skip All Files': 'Összes fájl kihagyása',
'Start': 'Indít',
'Stop': 'Megállít',
'Play':'Lejátszás',
'High Priority': 'Magas prioritás',
'Skip File': 'Fájl kihagyása',
'Remove': 'Eltávolítás',
'Remove with files': 'Eltávolítás a fájlokkal együtt',
'Play File': 'Fájl lejátszása',
'Start All Files': 'Összes fájl elindítása',
'Stop All Files': 'Összes fájl megállítása',
'Torrent-client Browser': 'Torrentkliens Böngésző',
'Remote Torrent-client': 'Távoli torrentkliens',
'You didn\'t set up replacement path in setting.': 'Nem állítottál be helyettesítő elérési utat a beállításokban.',
'For example /media/dl_torr/ to smb://SERVER/dl_torr/. Setup now?': 'Például /media/dl_torr/ a smb://SERVER/dl_torr/ - hez. Beállítod most?',
'Manual Torrent-client Path Edit': 'Kézi torrentkliens elérési út módosítás',
'Choose .torrent in video library': '.torrent kiválasztása a videó könyvtárban',
'.torrent Player': '.torrent Lejátszó',
'Choose directory:': 'Könyvtár kiválasztása:',
'Starting download next episode!': 'Elindul a következő epizód letöltése!',
'Choose in torrent-client:': 'Kiválasztás a torrentkliensben:',
'Search Control Window': 'Keresést Kezelő Ablak',
'Magnet-link (magnet:...)': 'Magnet-link (magnet:...)',
'Not a magnet-link!': 'Ez nem magnet-link!',
'Magnet-link Player': 'Magnet-link Lejátszó',
'UNKNOWN STATUS': 'ISMERETLEN STÁTUSZ',
'Checking preloaded files...': 'Előtöltött fájlok ellenőrzése...',
'Waiting for website response...': 'Várakozás a weboldal válaszára...',
'Search and cache information for:': 'Információ keresése és gyorsítótárazása:',
'Open Torrent': 'Torrent megnyitása',
'Torrent list is empty.': 'A torrent lista üres.',
'Content Lists': 'Tartalmak Listája',
'Canceled by User': 'Leállítva felhasználó által',
'Do you want to search and cache full metadata + arts?': 'Szeretnéd lekérni és gyorsítótárazni a metaadatokat és a képeket?',
'This vastly decreases load speed, but you will be asked to download premade bases!': 'Ez jelentősen csökkenti a betöltési sebességet, megkérünk, hogy töltsd le az előre elkészített adatbázisokat!',
'Do you want to preload full metadata?': 'Előtöltöd a metaadatokat?',
'It is highly recommended!': 'Ez erősen ajánlott!',
'TV Shows': 'Sorozatok',
'Cartoons': 'Rajzfilmek',
'Anime': 'Anime',
'Most Recent': 'Legújabb',
'Top 250 Movies': 'Top 250 Filmek',
'Top All Time': 'Top Mindenkori',
'by Genre': 'Műfaj alapján',
'by Year': 'Évszám alapján',
'Action': 'Akció',
'Adventure': 'Kaland',
'Animation': 'Animációs',
'Biography': 'Életrajzi',
'Comedy': 'Vígjáték',
'Crime': 'Bűnügyi',
'Documentary': 'Dokumentum',
'Drama': 'Dráma',
'Family': 'Családi',
'Fantasy': 'Fantasy',
'Film-Noir': 'Film-Noir',
'History': 'Történelmi',
'Horror': 'Horror',
'Music': 'Zenei',
'Musical': 'Musical',
'Mystery': 'Misztikus',
'Romance': 'Romantikus',
'Sci-Fi': 'Sci-Fi',
'Short': 'Rövidfilm',
'Sport': 'Sport',
'Thriller': 'Thriller',
'War': 'Háborús',
'Western': 'Western',
'[B]by Site[/B]': '[B]Weboldal alapján[/B]',
'Cartoons Series': 'Rajzfilmsorozatok',
'Cartoons Short': 'Rövid rajzfilmek',
'Male': 'Férfi',
'Female': 'Női',
'Russia & USSR': 'Oroszország & Szovjetunió',
'Next Page': 'Következő oldal',
'Previous Page': 'Előző oldal',
'Russian Movies': 'Orosz filmek',
'israeli Movies': 'Izraeli fimek',
'hebdub movies': 'hebdub filmek',
'Movies': 'Filmek',
'High Resolution Movies': 'HD filmek',
'3D Movies': '3D filmek',
'Movies [Bluray]': 'Filmek [Bluray]',
'Anime Film': 'Anime filmek',
'Anime Series': 'Anime sorozatok',
'Can\'t download torrent, probably no seeds available.': 'Nem lehet letölteni a torrentet, valószínűleg nincsenek elérhető seederek.',
'Personal List': 'Saját lista',
'Add to %s': 'Hozzáadás ehhez %s',
'Delete from %s': 'Eltávolítás innen %s',
'Added!': 'Hozzáadva!',
'Deleted!': 'Eltávolítva!',
'Search History': 'Keresési Előzmények',
' History ':' Előzmények ',
'Torrent History':'Torrent Előzmények',
'Watched History':'Megtekintett Előzmények',
'Favourites': 'Kedvencek',
'Favourites SH': 'Kedvencek SH',
'Clear %s': 'Tisztítás %s',
'Clear!': 'Tisztítás!',
'kb/s': 'kb/s',
'Queued': 'Sorba állítva',
'Checking': 'Ellenőrzés',
'Downloading metadata': 'Metaadatok letöltése',
'Downloading': 'Letöltés',
'Finished': 'Befejezve',
'Seeding': 'Seedelés',
'Allocating': 'Összeállítás',
'Allocating file & Checking resume': 'Fájl összeállítása és folytatás ellenőrzése',
'For Kids': 'Gyerekek számára',
'Adult': 'Felnőtt',
'Does not support magnet links!': 'Nem támogatja a magnet-linkeket!',
'Reset All Cache DBs': 'Összes gyorsítótár adatbázis visszaállítása',
'[B]Search[/B]': '[B]Keresés[/B]',
'You can always restart this by deleting DBs via Context Menu': 'Mindig visszaállíthatja az adatbázis törlésével a helyi menün keresztül',
'Your preloaded databases are outdated!': 'Az előtöltött adatbázisok elavultak!',
'Do you want to download new ones right now?': 'Szeretnéd letölteni az újakat most?',
'Individual Tracker Options':'Egyéni tracker beállítások',
'Downloading and copy subtitles. Please wait.':'Feliratok letöltése és másolása. Kérlek, várj.',
'International Check - First Run':'International ellenőrzés - első futtatás',
'Delete Russian stuff?':'Orosz tartalom törlése?',
'Save to path':'Mentés a mappába',
'Return Russian stuff':'Orosz tartalom visszaállítása',
'%d files have been returned':'%d fájlok visszaállítva',
'Download via T-client':'Letöltés T-kliensen keresztül',
'Download via Libtorrent':'Letöltés Libtorrenten keresztül',
'Download Status':'Letöltési Állapot',
'Download has not finished yet':'A letöltés még nem fejeződött be',
'Stopped and Deleted!':'Leállítva és eltávolítva!',
'Unpaused!':'Újra elindítva!',
'Paused!':'Szünetelve!',
'Stopped!':'Megállítva!',
'Started!':'Elindítva!',
'Delete and Stop':'Megállít és eltávolít',
'Unpause':'Újra elindít',
'Pause':'Szüneteltet',
'Delete':'Eltávolít',
'Open':'Megnyitás',
'Torrent is seeding. To stop it use Download Status.':'Torrent seedelés alatt. Ahhoz, hogy megállítsd használd a Letöltési Állapotot.',
'Start All':'Összes elindítása',
'Started All!':'Összes elindítva!',
'Stopped All!':'Összes megállítva!',
'Stop All':'Összes megállítása',
'Keyboard':'Billentyűzet',
'Copy Files in Root':'Fájlok másolása a Rendszerkönyvtárba',
'Copied %d files!':'%d fájl átmásolva!',
'Add to MyShows.ru':'Hozzáadás MyShows.ru-hoz',
'Return to MyShows.ru':'Visszatérés a MyShows.ru-hoz',
'Search results:':'Keresési eredmények:',
'by Seeders':'Seederek alapján',
'by Date':'Dátum alapján',
'Sort':'Rendezés',
'Close':'Bezár',
'Views:':'Nézetek:',
'Rating:':'Értékelés:',
'Information not found!':'Nem található információ!',
'Choose searcher':'Válassz keresőt',
'python-libtorrent Not Found':'python-libtorrent nem található',
'Windows has static compiled python-libtorrent included.':'A Windows statikusan fordított python-libtorrentet tartalmaz.',
'You should install "script.module.libtorrent" from "MyShows.me Kodi Repo"':'Telepítsd a "script.module.libtorrent"-et a "MyShows.me Kodi Repo"-ból',
'Linux x64 has not static compiled python-libtorrent included.':'A Linux x64 statikusan fordított python-libtorrentet nem tartalmaz.',
'You should install it by "sudo apt-get install python-libtorrent"':'Telepítsd ezzel a paranccsal "sudo apt-get install python-libtorrent"',
'Linux has static compiled python-libtorrent included but it didn\'t work.':'A Linux statikusan fordított python-libtorrentet tartalmaz de nem működik.',
'As far as I know you can compile python-libtorrent for ARMv6-7.':'Ahogy én tudom, le lehet fordítani a python-libtorrentet ARMv6-7-ra',
'You should search for "OneEvil\'s OpenELEC libtorrent" or use Ace Stream.':'Keress rá "OneEvil\'s OpenELEC libtorrent"-re vagy használj Ace Streamet',
'Please use install Ace Stream APK and choose it in Settings.':'Kérlek használj Ace Stream APK-t és válaszd ki a beállításokban.',
'It is possible to compile python-libtorrent for Android, but I don\'t know how.':'Lehetséges, hogy lefordítható a python-libtorrent Android-ra, de nem tudom hogyan.',
'It is possible to compile python-libtorrent for OS X.':'Lehetséges, hogy lefordítható a python-libtorrent OS X-re.',
'But you would have to do it by yourself, there is some info on github.com.':'De ezt magadnak kell megcsinálnod, van néhány infó erről a github.com-on.',
'It is NOT possible to compile python-libtorrent for iOS.':'iOS-re nem lehet lefordítani a python-libtorrentet.',
'But you can use torrent-client control functions.':'De a torrentkliens kezelőt funkciót tudod használni.',
'I added custom searchers to Torrenter v2!':'Hozzáadtam egyéni keresőket a Torrenter v2-höz!',
'Now you can use your login on trackers or write and install your own searcher!':'Most már be tudsz lépni a trackerekre, vagy megírhatod és feltelepítheted a saját keresődet!',
'Would you like to install %s from "MyShows.me Kodi Repo" in Programs section?':'Szeretnéd telepíteni %s a "MyShows.me Kodi Repo"-ból?',
'Open installation window?':'Telepítő ablak megnyitása?',
'Android Support':'Android támogatás',
'Android has no temprorary folder':'Az Android nem rendelkezik ideiglenes mappával',
'Please specify storage folder in Settings!':'Kérlek add meg a tárolóhely mappáját a beállításokban!',
'You have no installed or active searchers! More info in Search Control Window!':'Nincsenek telepített vagy aktív keresők! Több információ a Keresést Kezelő Abalakban.',
'Please contact DiMartino on kodi.tv forum. We compiled python-libtorrent for Android,':'Kérünk lépj kapcsolatba DiMartino-val a kodi.tv fórumon. Lefordítottuk a python-libtorrentet Androidhoz,',
'but we need your help with some tests on different processors.':'de szükségünk lesz még néhány tesztre különböző processzorokon.',
'We added Android ARM full support to Torrenter v2!':'A Torrenter v2 számara teljesen támogatottá tettük az Android ARM-t!',
'I deleted pre-installed ones, install them in Search Control Window!':'Töröltem az összes előre telepítettet, telepítsd őket a Keresést Kezelő Ablakban!',
'Torrenter didn\'t find %s searcher':'A Torrenter nem találja a %s keresőt',
'Torrenter Tracker Install':'Torrent tracker telepítés',
'Ask to save':'Mentés kérése',
'Would you like to save this file?':'El szeretnéd menteni ez a fájlt?',
'Your storage path is not writable or not local! Please change it in settings!':'A tárolóhely elérési útja nem írható vagy nem elérhető! Kérlek változtatsd meg a beállításokban!',
'Upgrade advancedsettings.xml':'advancedsettings.xml frissítése',
'We would like to set some advanced settings for you!':'Be szeretnénk állítani néhány haladó beállítást!',
'Do it!':'Csináld!',
'Please, restart Kodi now!':'Kérlek, indítsd újra a Kodit, most.',
'./ (Root folder)':'./ (Rendszerkönyvtár)',
'Opening torrent file':'Torrent fájl megnyitása',
'New player to Torrenter v2 - Torrent2HTTP! It should be faster, stable and better with Android, also seeking works in it.':'Új lejátszó a Torrenter v2-höz - Torrent2HTTP: Gyorsabb, stabilabb és jobb Androiddal, valamint a keresés is működik vele.',
'Would you like to try it?':'Ki szeretnéd próbálni?',
'Torrent2HTTP enabled! Can be changed in Settings.':'Torrent2HTTP engedélyezve! Ezen a beállításokban tudsz változtatni.',
'Seeking':'Keresés',
'Would you like to resume from %s?':'Szeretnéd folytatni innen: %s?',
'Seeking is working only with player Torrent2HTTP.':'A keresés csak a Torrent2HTTP lejátszóval működik.',
'Play (from %s)':'Lejátszás (innen %s)',
'Play (from start)':'Lejátszás (az elejétől)',
},
'ru': {
'Torrenter has a better view style for Kodi 17 default skin.':'У Torrenter есть оптимизированный вид под новый скин Kodi 17.',
'is recommended for Kodi 17 users and now out of beta.': 'рекомендовано пользователям Kodi 17 и вышло из беты.',
'You can disable it usage in Settings.':'Его можно отключить в настройках плагина.',
'Move Up': 'Вверх',
'Torrenter Search Window': 'Окно Поиска Torrenter',
'Cancel': 'Отмена',
'Clear History': 'Очистить Историю',
'Play (with seek)': 'Играть (перемотка)',
'Mass Control':'Массовое Управление',
'Info':'Инфо',
'Delete torrent with files?':'Вы уверены, что хотите удалить торрент с файлами?',
'Fav. / Unfav.':'Доб./удал. Избранное',
'Search Window': 'Окно поиска',
'Context menu': 'Контекстное меню',
'Seeds searching.': 'Идёт поиск сидов.',
'Please Wait': 'Подождите',
'Information': 'Информация',
'Torrent downloading is stopped.': 'Загрузка торрента прекращена.',
'Search': 'Поиск',
'Seeds': 'Сиды',
'Peers': 'Пиры',
'Materials are loading now.': 'Идёт загрузка материалов.',
'Search Phrase': 'Фраза для поиска',
'Magnet-link is converting': 'Идёт преобразование magnet-ссылки',
'Error': 'Ошибка',
'Your library out of date and can\'t save magnet-links.': 'Ваша библиотека устарела и не может сохранять магнет-ссылки.',
'Bookmarks': 'Закладки',
'Logout': 'Выход',
'Login': 'Вход',
'Recent Materials': 'Свежие Материалы ',
'Register': 'Регистрация',
'Bookmark': 'Закладка',
'Item successfully added to Bookmarks': 'Элемент удачно добавлен в закладки',
'Item successfully removed from Bookmarks': 'Элемент удачно удалён из закладок',
'Bookmark not added': 'Закладка не добавлена',
'Bookmark not removed': 'Закладка не удалена',
'Add To Bookmarks': 'Добавить в закладки',
'Remove From Bookmarks': 'Удалить из Закладок',
'Auth': 'Авторизация',
'Already logged in': 'Пользователь уже в системе',
'Input Email (for password recovery):': 'Введите E-mail (для восстановления пароля):',
'Input Email:': 'Введите E-mail:',
'Input Password (6+ symbols):': 'Введите пароль (6+ символов):',
'Input Password:': 'Введите пароль:',
'Login successfull': 'Вход выполнен успешно',
'Login failed': 'Вход не выполнен',
'User not logged in': 'Пользователь не в системе',
'User successfully logged out': 'Пользователь успешно покинул систему',
'Preloaded: ': 'Предзагружено: ',
'Do you want to STOP torrent downloading and seeding?': 'Вы хотите остановить загрузку и раздачу торрента?',
'Torrent Downloading': 'Загрузка торрента',
'Auth expired, please relogin': 'Авторизация истекла, пожалуйста войдите снова',
'Storage': 'Хранилище',
'Storage has been cleared': 'Хранилище очищено',
'Clear Storage': 'Очистить хранилище',
'Popular': 'Популярное',
'Views': 'Просмотров',
'Uploading': 'Раздача',
'Download': 'Скачать',
'Input symbols from CAPTCHA image:': 'Введите символы с картинки CAPTCHA:',
'Please, rate watched video:': 'Пожалуйста, оцените просмотренное видео:',
'Bad': 'Плохо',
'So-So': 'Такое...',
'Good': 'Отлично',
'Ratings': 'Оценки',
'Rating': 'Оценка',
'Retry': 'Повторная попытка',
'%ds has left': 'Осталось %d попыток',
'File failed to play! Do you want to RETRY and buffer more?': 'Ошибка проигрывания файла! Хотите предзагрузить больше и повторить?',
'High Priority Files': 'Высокий Приоритет Файлам',
'Skip All Files': 'Пропустить Все Файлы',
'Start': 'Пуск',
'Stop': 'Стоп',
'Play':'Воспроизвести',
'High Priority': 'Высокий Приоритет',
'Skip File': 'Пропустить Файл',
'Remove': 'Удалить',
'Remove with files': 'Удалить с файлами',
'Play File': 'Проиграть файл',
'Start All Files': 'Пуск Всем Файлам',
'Stop All Files': 'Стоп Всем Файлам',
'Torrent-client Browser': 'Браузер Торрент-клиента',
'Remote Torrent-client': 'Удаленный торрент-клиент',
'You didn\'t set up replacement path in setting.': 'Вы не настроили замены путей.',
'For example /media/dl_torr/ to smb://SERVER/dl_torr/. Setup now?': 'Например /media/dl_torr/ на smb://SERVER/dl_torr/. Настроить?',
'Manual Torrent-client Path Edit': 'Вручную изменить папку торрент-клиента по-умолчанию',
'Choose .torrent in video library': 'Выберите .torrent в видеобиблиотеке',
'.torrent Player': '.torrent Проигрыватель',
'Choose directory:': 'Выберите папку:',
'Starting download next episode!': 'Начинаю скачку следующего эпизода!',
'Choose in torrent-client:': 'Выберите раздачу:',
'Search Control Window': 'Окно Управления Поиском',
'Magnet-link (magnet:...)': 'Magnet-ссылка (magnet:...)',
'Not a magnet-link!': 'Не является magnet-ссылкой',
'Magnet-link Player': 'Проигрыватель Magnet-Ссылок',
'UNKNOWN STATUS': 'Неизвестное состояние',
'Checking preloaded files...': 'Проверка файлов...',
'Waiting for website response...': 'Ожидание ответа сайта...',
'Search and cache information for:': 'Поиск и кэширование информации для:',
'Open Torrent': 'Открыть Торрент',
'Torrent list is empty.': 'Список раздач пуст.',
'Content Lists': 'Списки Медиа',
'Canceled by User': 'Отменено пользователем',
'Do you want to search and cache full metadata + arts?': 'Хотите автоматически получать мета-данные и арты?',
'This vastly decreases load speed, but you will be asked to download premade bases!': 'Это существенно снижает скорость загрузки, но Вам предложат скачать готовые базы!',
'Do you want to preload full metadata?': 'Хотите готовую загрузить базу данных?',
'It is highly recommended!': 'Настоятельно рекомендовано согласиться!',
'TV Shows': 'Сериалы',
'Cartoons': 'Мультфильмы',
'Anime': 'Аниме',
'Most Recent': 'Горячие Новинки',
'Top 250 Movies': 'Лучшие 250 фильмов',
'Top All Time': 'Лучшее за ВСЕ ВРЕМЯ',
'by Genre': 'по Жанру',
'by Year': 'по Году',
'Action': 'Боевики',
'Adventure': 'Приключения',
'Animation': 'Анимация',
'Biography': 'Биография',
'Comedy': 'Комедии',
'Crime': 'Детектив',
'Documentary': 'Документальное',
'Drama': 'Драмы',
'Family': 'Семейное',
'Fantasy': 'Фэнтази',
'Film-Noir': 'Нуар',
'History': 'Историчекие',
'Horror': 'Ужасы',
'Music': 'Музыкальные',
'Musical': 'Мьюзиклы',
'Mystery': 'Мистика',
'Romance': 'Мелодрамы',
'Sci-Fi': 'Фантастика',
'Short': 'Короткометражки',
'Sport': 'Спортивные',
'Thriller': 'Триллеры',
'War': 'Военные',
'Western': 'Вестерны',
'[B]by Site[/B]': '[B]по Сайту[/B]',
'Cartoons Series': 'Мультсериалы',
'Cartoons Short': 'Мультфильмы (короткометражки)',
'Male': 'Мужские',
'Female': 'Женские',
'Russia & USSR': 'Россия + СССР',
'Next Page': 'Следующая Страница',
'Previous Page': 'Предыдущая Страница',
'3D Movies': 'Фильмы 3D',
'Russian Movies': 'Отечественные Фильмы',
'Movies': 'Зарубежные Фильмы',
'israeli Movies': 'израильские фильмы',
'hebdub movies': 'Фильмы на иврите',
'High Resolution Movies': 'высокое разрешение фильма',
'Movies [Bluray]': 'Фильмы [Blu-ray]',
'Anime Film': 'Полнометражное Аниме',
'Anime Series': 'Аниме Сериалы',
'Can\'t download torrent, probably no seeds available.': 'Не могу скачать торрент, скорее всего нет доступных сидов.',
'Personal List': 'Личный Список',
'Add to %s': 'Добавить в %s',
'Delete from %s': 'Удалить из %s',
'Added!': 'Добавлено',
'Deleted!': 'Удалено!',
'Search History': 'История Поиска',
' History ':' История ',
'Torrent History':'История Торрентов',
'Watched History':'История Просмотров',
'Favourites': 'Избранное',
'Favourites SH': 'Избранное ИП',
'Clear %s': 'Очистить %s',
'Clear!': 'Очищено!',
'kb/s': 'КБ/с',
'Queued': 'В очереди',
'Checking': 'Проверка',
'Downloading metadata': 'Скачивание мета-данных',
'Downloading': 'Скачивание',
'Finished': 'Окончено',
'Seeding': 'Раздача (сидирование)',
'Allocating': 'Allocating',
'Allocating file & Checking resume': 'Allocating file & Checking resume',
'For Kids': 'Детское',
'Adult': 'Эротика',
'Does not support magnet links!': 'Не поддерживает магнит-ссылки!',
'Reset All Cache DBs': 'Сбросить Базы Данных',
'[B]Search[/B]': '[B]Поиск[/B]',
'You can always restart this by deleting DBs via Context Menu': 'Вы всегда можете перезапустить этот процесс через Контекстное Меню',
'Your preloaded databases are outdated!': 'Ваши предзакаченные базы метаданных устарели!',
'Do you want to download new ones right now?': 'Хотите прямо сейчас скачать новые?',
'Individual Tracker Options':'Выбор Трекеров',
'Downloading and copy subtitles. Please wait.':'Скачиваю и копирую субтитры. Пожалуйста подождите.',
'International Check - First Run':'International Check - Первый запуск',