-
Notifications
You must be signed in to change notification settings - Fork 0
/
language.js
executable file
·2255 lines (2115 loc) · 181 KB
/
language.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 jsonEnglish = {
"hands__nav": "Hands-Free",
"video__nav": "Controll",
"shuffle__nav": "Playlist",
"gallery__nav": "Screenshots",
"feature__nav": "Features",
"reviews__nav": "Reviews",
"hero_title": "Multi Videos App",
"hero_desc": "Only watch one video at a time? Seriously? Enjoy multiple videos simultaneously",
"watch__title": "Mute for Safety!",
"watch__desc": "One mistake can ruin everything. Auto-stop when switching to background.",
"playback__title": "Multi-Screen",
"playback__desc": "Watch up to 4 videos simultaneously on phones. Up to 9 videos on tablets.",
"hands_free_title": "Hands-Free",
"hands_free_desc": "Infinite repeat + AB repeat + Auto random play",
"video_control_title": "Control All or Individual Videos",
"video_control_desc": "Play/Pause/Mute simultaneously. Adjust volume for individual videos.",
"shuffle_title": "Playlist",
"shuffle_desc": "Create playlists by your favorite genres. You can also select playlists for random play.",
"awesome_sc": "Awesome Screenshots",
"feature_title": "Features",
"feature_desc": "",
"feature_title_one": "Infinite Repeat",
"feature_desc_one": "When playback ends, it starts again from the beginning. AB section playback is also repeated infinitely.",
"feature_title_two": "Mute by Default",
"feature_desc_two": "Mute by default when first playing. Auto-stop when the app is switched to background.",
"feature_title_three": "Multi-Screen Playback",
"feature_desc_three": "Enjoy watching on multiple screens simultaneously.",
"feature_title_four": "AB Repeat",
"feature_desc_four": "If the video is long, create an AB repeat section for your favorite scenes.",
"feature_title_five": "Random Play + Playlist",
"feature_desc_five": "Watching the same video can get boring. Enjoy continuous new videos with random play.",
"feature_title_six": "Time-Shifted Playback",
"feature_desc_six": "Experience something new with simultaneous playback or time-shifted playback on multiple screens of the same video.",
"testi_title": "Loved By Our Customers",
"testi_desc_one": "This is app is quite unique. I don’t remember any app like this that allow you to watch multiple videos at the same time. Must try!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Let’s you see 2-4 videos at the same time and lower sound on each individual video thank you",
"testi_author_two": "Emily R.",
"testi_desc_three": "It is good and convenient app! One thing that I would like to see here is adding videos from different sources like YouTube and others! But for now the video works well.",
"testi_author_three": "John M.",
"testi_desc_four": "Amazing app! Finally found something that actually works for this. A suggestion: being able to control the volume level between videos! I have one video that might be too loud and want to reduce the volume.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "The AB repeat function is perfect for my needs. Highly recommend this app for anyone who loves to loop videos.",
"testi_author_five": "Michael K.",
"testi_desc_six": "I love the shuffle playlist feature. It keeps my watching experience fresh and exciting.",
"testi_author_six": "David B.",
"unavailable__title": "Unsupported Features",
"unavailable__desc": "The following features will be supported in the future.",
"unavailable__desc__one": "No Web Browser",
"unavailable__desc__two": "No YouTube",
"unavailable__desc__three": "Not Streaming Yet",
"available__title": "Important",
"available__desc": " This app only provides sample content. The video must be in the app's document folder on iPhone and in the phone storage on Android.",
"available__desc__four": "Only Pre Downloaded Videos",
"app__title": "Join community",
"app__title__desc": "Join our community on Reddit and Discord! Come hang out, share your experiences, and have fun together!",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. All Rights Reserved.",
}
const jsonEnglishMeta = {
"description": "A video player capable of unlimited playback of erotic videos on 1-4 screens simultaneously (up to 9 screens supported on tablets). It offers various features such as infinite loop, auto mute and background pause, multi-screen playback, AB loop, shuffle playback, playlists, batch control, making it perfect for focused study, practice, or revisiting your favorite scenes.",
"keywords": "erotic, Adult, split screen, nsfw, porn, video player, unlimited playback, multi-screen playback, AB loop, auto mute, background pause, shuffle playback, playlist, batch control"
};
const jsonKorean = {
"hands__nav": "핸즈프리",
"video__nav": "개별조작",
"shuffle__nav": "랜덤플레이",
"gallery__nav": "샘플화면",
"feature__nav": "특징",
"reviews__nav": "리뷰",
"hero_title": "멀티 비디오 앱",
"hero_desc": "한번에 비디오 하나만 본다구요? 한번에 여러개의 비디오들을 동시에 즐기세요.",
"watch__title": "안전제일! 기본무음",
"watch__desc": "재생시작시 갑자기 큰소리가 나면 민망하죠? 그래서 기본무음입니다. 백그라운드 전환시에도 자동 재생 중지되구요.",
"playback__title": "멀티 스크린은 기본",
"playback__desc": "1~4개 비디오. 패드는 최대 9개까지",
"hands_free_title": "핸즈 프리",
"hands_free_desc": "자유로운 양손 = 무한 반복 + AB반복 + 랜덤 플레이",
"video_control_title": "전체 또는 개별 비디오 조작",
"video_control_desc": "동시에 재생/정지/음소거 가능. 개별 비디오의 음량 조절 가능",
"shuffle_title": "재생목록",
"shuffle_desc": "좋아하는 장르별로 재생 목록을 만드세요. 재생목록들을 선택하여 랜덤 플레이도 가능합니다.",
"awesome_sc": "샘플화면",
"feature_title": "특징",
"feature_desc": "",
"feature_title_one": "무한 반복",
"feature_desc_one": "재생이 끝나면 처음부터 다시 재생. AB구간도 무한 반복",
"feature_title_two": "기본 무음",
"feature_desc_two": "첫 재생시 기본 무음. 앱이 백그라운드로 전환시 자동 멈춤",
"feature_title_three": "멀티 스크린 재생",
"feature_desc_three": "여러 화면에서 동시에 감상",
"feature_title_four": "AB 반복",
"feature_desc_four": "비디오가 길면, 좋아하는 장면을 AB 반복구간으로 보세요.",
"feature_title_five": "랜덤 플레이",
"feature_desc_five": "같은 비디오만 보면 지겹습니다. 랜덤하게 계속 새로운 비디오들을 즐기세요.",
"feature_title_six": "시간차 재생",
"feature_desc_six": "같은 비디오를 여러 화면에서 시간차 재생으로 즐기세요.",
"testi_title": "고객 리뷰",
"testi_desc_one": "비디오를 동시에 재생도 하고 따로도 되고 너무 유용해서 잘 쓰구있답니다. 최근에 받은 플레이어 어플중에 단연코 최고 인것같습니다~!!",
"testi_author_one": "김**",
"testi_desc_two": "모든 비디오의 AB 반복 기능이 마음에 드네요. 적극 추천합니다.",
"testi_author_two": "박**.",
"testi_desc_three": "재미있는 아이디어입니다. 두 영상을 서로 비교해 볼 때 유용해요. 랜덤 플레이와 재생 동영상 저장등 곳곳에 숨은 기능이 꽤 많네요.",
"testi_author_three": "이**",
"testi_desc_four": "이런 앱이 나오면 좋겠다는 막연한 생각은 있었는데 막상 나오니 새롭네요 여러개 영상을 비교하면서 보고 싶을 때 유용합니다 잘 활용하면 편집할 때도 편할 것 같습니다.",
"testi_author_four": "조**",
"testi_desc_five": "핸드폰에서도 4개영상을 한번에 재생 할 수 있다니 엄청 좋습니다 ㅜ 그리고 사용법이 까다롭지 않고 패드에선 더 재생도 가능하니 엄청 유용하게 사용중입니다 !! 좋은 어플 만들어주셔 감사합니당 ㅎㅎ",
"testi_author_five": "최**",
"testi_desc_six": "앱으로 멀티 영상을 볼 수 있는 기능이 처음인 것 같은데 여러가지를 동시에 볼 수 있어 유용하고 편하네요",
"testi_author_six": "김**",
"unavailable__title": "미지원 기능",
"unavailable__desc": "아래 기능은 향후에 지원될 예정입니다.",
"unavailable__desc__one": "웹 브라우저 기능",
"unavailable__desc__two": "유튜브 지원",
"unavailable__desc__three": "스트리밍 기능",
"available__title": "중요사항",
"available__desc": "본 앱은 샘플 컨텐츠만 제공합니다. 아이폰은 앱의 다큐먼트 폴더안에, 안드로이드는 폰 안에 동영상이 있어야 합니다. ",
"available__desc__four": "본인 소유 비디오",
"app__title": "커뮤니티",
"app__title__desc": "궁금한점이나 비디오를 구하는법을 모르면 카카오톡이나 레딧에 오셔서 물어보세요.",
"maill__desc": "[email protected]",
"copyright__desc": "저작권 © 2024 아라원소프트. 모든 권리 보유.",
}
const jsonKoreanMeta = {
"description": "에로틱 동영상을 1~4개 화면에서 동시에 무제한 재생이 가능한 비디오 플레이어(태블릿의 경우 9개 화면까지 지원). 무한 반복, 자동 무음 및 백그라운드 일시 정지, 멀티 스크린 재생, AB 반복, 랜덤 재생 및 재생 목록, 배치 제어 기능 등의 다양한 기능을 제공하며, 집중 학습, 연습, 또는 좋아하는 장면을 다시 보는 데 적합합니다.",
"keywords": "에로틱, 성인, 화면분할, nsfw, 야동, 야한 동영상, nsfw, porn, 비디오 플레이어, 무제한 재생, 멀티 스크린 재생, AB 반복, 자동 무음, 백그라운드 일시 정지, 랜덤 재생, 재생 목록, 배치 제어"
};
const jsonJapanese = {
"hands__nav": "ハンズフリー",
"video__nav": "コントロール",
"shuffle__nav": "プレイリスト",
"gallery__nav": "スクリーンショット",
"feature__nav": "機能",
"reviews__nav": "レビュー",
"hero_title": "マルチビデオプレーヤー",
"hero_desc": "一度に一つの動画しか見ませんか?本気ですか?複数の動画を同時に楽しんでください",
"watch__title": "安全のためにミュート!",
"watch__desc": "一度のミスで全てが台無しに。バックグラウンドに切り替えると自動停止。",
"playback__title": "マルチスクリーン",
"playback__desc": "スマホで最大4つのビデオを同時に視聴。タブレットでは最大9つのビデオ。",
"hands_free_title": "ハンズフリー",
"hands_free_desc": "無限リピート + ABリピート + 自動ランダム再生",
"video_control_title": "すべてまたは個別ビデオのコントロール",
"video_control_desc": "同時に再生/一時停止/ミュート。個別のビデオの音量調整。",
"shuffle_title": "プレイリスト",
"shuffle_desc": "お気に入りのジャンルでプレイリストを作成。ランダム再生のためのプレイリストも選択可能。",
"awesome_sc": "素晴らしいスクリーンショット",
"feature_title": "機能",
"feature_desc": "",
"feature_title_one": "無限リピート",
"feature_desc_one": "再生が終了すると、再び最初から始まります。ABセクション再生も無限にリピート。",
"feature_title_two": "デフォルトでミュート",
"feature_desc_two": "初回再生時にデフォルトでミュート。アプリがバックグラウンドに切り替わると自動停止。",
"feature_title_three": "マルチスクリーン再生",
"feature_desc_three": "複数のスクリーンで同時に視聴を楽しむ。",
"feature_title_four": "ABリピート",
"feature_desc_four": "ビデオが長い場合、お気に入りのシーンのためにABリピートセクションを作成。",
"feature_title_five": "ランダム再生 + プレイリスト",
"feature_desc_five": "同じビデオを見るのは飽きるかも。ランダム再生で新しいビデオを連続して楽しむ。",
"feature_title_six": "タイムシフト再生",
"feature_desc_six": "同時再生またはタイムシフト再生で同じビデオを複数のスクリーンで体験。",
"testi_title": "お客様からの評価",
"testi_desc_one": "このアプリは非常にユニークです。同時に複数のビデオを視聴できるアプリは他に記憶がありません。ぜひお試しください!",
"testi_author_one": "サラ・L.",
"testi_desc_two": "2〜4つのビデオを同時に見られ、それぞれのビデオの音量を下げることができます。ありがとう!",
"testi_author_two": "エミリー・R.",
"testi_desc_three": "便利で良いアプリです!ただし、YouTubeなどの異なるソースからビデオを追加できるようにしてほしいです。現時点ではビデオはうまく機能しています。",
"testi_author_three": "ジョン・M.",
"testi_desc_four": "素晴らしいアプリ!これが実際に機能するものを見つけました。提案: ビデオ間の音量レベルを調整できるようにしてください!音量が大きすぎるビデオがあり、音量を下げたいです。",
"testi_author_four": "ジェシカ・T.",
"testi_desc_five": "ABリピート機能は私のニーズにぴったりです。ビデオをループするのが好きな人にこのアプリを強くお勧めします。",
"testi_author_five": "マイケル・K.",
"testi_desc_six": "プレイリストのシャッフル機能が大好きです。視聴体験を新鮮でエキサイティングに保ってくれます。",
"testi_author_six": "デイヴィッド・B.",
"unavailable__title": "サポートされていない機能",
"unavailable__desc": "以下の機能は将来サポートされる予定です。",
"unavailable__desc__one": "ウェブブラウザなし",
"unavailable__desc__two": "YouTubeなし",
"unavailable__desc__three": "まだストリーミングなし",
"available__title": "重要1",
"available__desc": "このアプリはサンプルコンテンツのみ提供します。ビデオはiPhoneのアプリのドキュメントフォルダに、Androidの電話ストレージに保存されている必要があります。",
"available__desc__four": "事前ダウンロードされたビデオのみ",
"app__title": "コミュニティに参加",
"app__title__desc": "RedditやDiscordで私たちのコミュニティに参加してください!集まって経験を共有し、一緒に楽しみましょう!",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. All Rights Reserved."
}
const jsonJapaneseMeta = {
"description": "エロティックな動画を1~4つの画面で同時に無制限に再生できるビデオプレーヤー(タブレットの場合は9画面までサポート)。無限ループ、自動ミュートとバックグラウンド一時停止、マルチスクリーン再生、ABリピート、シャッフル再生、プレイリスト、バッチ制御などのさまざまな機能を提供し、集中学習、練習、またはお気に入りのシーンを再視聴するのに最適です。",
"keywords": "エロティック, 成人向け, スプリットスクリーン, nsfw, ポルノ, ビデオプレーヤー, 無制限再生, マルチスクリーン再生, ABリピート, 自動ミュート, バックグラウンド一時停止, シャッフル再生, プレイリスト, バッチ制御"
};
const jsonSpanish = {
"hands__nav": "Manos Libres",
"video__nav": "Control",
"shuffle__nav": "Lista de reproducción",
"gallery__nav": "Capturas de pantalla",
"feature__nav": "Características",
"reviews__nav": "Reseñas",
"hero_title": "Reproductor de videos múltiples",
"hero_desc": "¿Solo ves un video a la vez? ¿En serio? Disfruta de múltiples videos simultáneamente",
"watch__title": "¡Silencio por seguridad!",
"watch__desc": "Un solo error puede arruinarlo todo. Parada automática al cambiar al fondo.",
"playback__title": "Pantalla múltiple",
"playback__desc": "Mira hasta 4 videos simultáneamente en teléfonos. Hasta 9 videos en tabletas.",
"hands_free_title": "Manos Libres",
"hands_free_desc": "Repetición infinita + Repetición AB + Reproducción aleatoria automática",
"video_control_title": "Control de todos o videos individuales",
"video_control_desc": "Reproducir/Pausar/Silenciar simultáneamente. Ajusta el volumen de los videos individuales.",
"shuffle_title": "Lista de reproducción",
"shuffle_desc": "Crea listas de reproducción por tus géneros favoritos. También puedes seleccionar listas de reproducción para reproducción aleatoria.",
"awesome_sc": "Capturas de pantalla asombrosas",
"feature_title": "Características",
"feature_desc": "",
"feature_title_one": "Repetición Infinita",
"feature_desc_one": "Cuando finaliza la reproducción, comienza de nuevo desde el principio. La reproducción de la sección AB también se repite infinitamente.",
"feature_title_two": "Silencio por defecto",
"feature_desc_two": "Silencio por defecto al reproducir por primera vez. Parada automática cuando la aplicación cambia al fondo.",
"feature_title_three": "Reproducción en pantallas múltiples",
"feature_desc_three": "Disfruta viendo en múltiples pantallas simultáneamente.",
"feature_title_four": "Repetición AB",
"feature_desc_four": "Si el video es largo, crea una sección de repetición AB para tus escenas favoritas.",
"feature_title_five": "Reproducción aleatoria + Lista de reproducción",
"feature_desc_five": "Ver el mismo video puede ser aburrido. Disfruta de nuevos videos continuamente con la reproducción aleatoria.",
"feature_title_six": "Reproducción desplazada en el tiempo",
"feature_desc_six": "Experimenta algo nuevo con la reproducción simultánea o desplazada en el tiempo de múltiples pantallas del mismo video.",
"testi_title": "Amado por nuestros usuarios",
"testi_desc_one": "Esta aplicación es bastante única. No recuerdo ninguna aplicación como esta que te permita ver varios videos al mismo tiempo. ¡Debes probarla!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Te permite ver 2-4 videos al mismo tiempo y bajar el volumen de cada video individual, ¡gracias!",
"testi_author_two": "Emily R.",
"testi_desc_three": "¡Es una buena y conveniente aplicación! Algo que me gustaría ver es agregar videos de diferentes fuentes como YouTube y otras. Pero por ahora, los videos funcionan bien.",
"testi_author_three": "John M.",
"testi_desc_four": "¡Aplicación increíble! Finalmente encontré algo que realmente funciona para esto. Una sugerencia: ¡poder controlar el nivel de volumen entre videos! Tengo un video que podría ser demasiado alto y quiero reducir el volumen.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "La función de repetición AB es perfecta para mis necesidades. Recomiendo encarecidamente esta aplicación para cualquiera que ame repetir videos.",
"testi_author_five": "Michael K.",
"testi_desc_six": "Me encanta la función de lista de reproducción aleatoria. Mantiene mi experiencia de visualización fresca y emocionante.",
"testi_author_six": "David B.",
"unavailable__title": "Funciones no admitidas",
"unavailable__desc": "Las siguientes funciones se admitirán en el futuro.",
"unavailable__desc__one": "Sin navegador web",
"unavailable__desc__two": "Sin YouTube",
"unavailable__desc__three": "Aún sin transmisión",
"available__title": "Importante",
"available__desc": " Esta aplicación solo proporciona contenido de muestra. El video debe estar en la carpeta de documentos de la aplicación en iPhone y en el almacenamiento del teléfono en Android.",
"available__desc__four": "Solo videos predescargados",
"app__title": "Únete a la comunidad",
"app__title__desc": "¡Únete a nuestra comunidad en Reddit y Discord! Ven, comparte tus experiencias y diviértete juntos.",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. Todos los derechos reservados.",
}
const jsonSpanishMeta = {
"description": "Un reproductor de videos capaz de reproducir videos eróticos en 1-4 pantallas simultáneamente (hasta 9 pantallas compatibles en tabletas). Ofrece varias funciones como bucle infinito, silencio automático y pausa en segundo plano, reproducción en múltiples pantallas, bucle AB, reproducción aleatoria, listas de reproducción, control por lotes, ideal para estudio enfocado, práctica o revisar tus escenas favoritas.",
"keywords": "erótico, Adulto, pantalla dividida, nsfw, porno, reproductor de videos, reproducción ilimitada, reproducción en múltiples pantallas, bucle AB, silencio automático, pausa en segundo plano, reproducción aleatoria, lista de reproducción, control por lotes"
};
const jsonFrench = {
"hands__nav": "Mains libres",
"video__nav": "Contrôle",
"shuffle__nav": "Liste de lecture",
"gallery__nav": "Captures d'écran",
"feature__nav": "Caractéristiques",
"reviews__nav": "Avis",
"hero_title": "Lecteur vidéo multi",
"hero_desc": "Vous ne regardez qu'une seule vidéo à la fois ? Sérieusement ? Profitez de plusieurs vidéos simultanément",
"watch__title": "Muet pour plus de sécurité !",
"watch__desc": "Une seule erreur peut tout gâcher. Arrêt automatique lors du passage en arrière-plan.",
"playback__title": "Écran multiple",
"playback__desc": "Regardez jusqu'à 4 vidéos simultanément sur les téléphones. Jusqu'à 9 vidéos sur les tablettes.",
"hands_free_title": "Mains libres",
"hands_free_desc": "Répétition infinie + Répétition AB + Lecture aléatoire automatique",
"video_control_title": "Contrôlez toutes les vidéos ou individuellement",
"video_control_desc": "Lecture/Pause/Muet simultanément. Réglez le volume des vidéos individuellement.",
"shuffle_title": "Liste de lecture",
"shuffle_desc": "Créez des listes de lecture par vos genres préférés. Vous pouvez également sélectionner des listes de lecture pour une lecture aléatoire.",
"awesome_sc": "Captures d'écran incroyables",
"feature_title": "Caractéristiques",
"feature_desc": "",
"feature_title_one": "Répétition infinie",
"feature_desc_one": "Lorsque la lecture se termine, elle recommence depuis le début. La lecture de la section AB est également répétée à l'infini.",
"feature_title_two": "Muet par défaut",
"feature_desc_two": "Muet par défaut lors de la première lecture. Arrêt automatique lorsque l'application passe en arrière-plan.",
"feature_title_three": "Lecture sur plusieurs écrans",
"feature_desc_three": "Profitez de la visualisation sur plusieurs écrans simultanément.",
"feature_title_four": "Répétition AB",
"feature_desc_four": "Si la vidéo est longue, créez une section de répétition AB pour vos scènes préférées.",
"feature_title_five": "Lecture aléatoire + Liste de lecture",
"feature_desc_five": "Regarder la même vidéo peut devenir ennuyeux. Profitez de nouvelles vidéos en continu avec la lecture aléatoire.",
"feature_title_six": "Lecture décalée dans le temps",
"feature_desc_six": "Découvrez quelque chose de nouveau avec la lecture simultanée ou décalée dans le temps de plusieurs écrans de la même vidéo.",
"testi_title": "Apprécié par nos clients",
"testi_desc_one": "Cette application est assez unique. Je ne me souviens d'aucune application comme celle-ci qui vous permet de regarder plusieurs vidéos en même temps. À essayer absolument !",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Vous permet de regarder 2 à 4 vidéos en même temps et de baisser le son de chaque vidéo individuellement, merci !",
"testi_author_two": "Emily R.",
"testi_desc_three": "C'est une application pratique et fonctionnelle ! Quelque chose que j'aimerais voir ici, c'est l'ajout de vidéos de différentes sources comme YouTube et d'autres. Mais pour l'instant, les vidéos fonctionnent bien.",
"testi_author_three": "John M.",
"testi_desc_four": "Application incroyable ! J'ai enfin trouvé quelque chose qui fonctionne réellement pour ça. Une suggestion : pouvoir contrôler le niveau de volume entre les vidéos ! J'ai une vidéo qui est peut-être trop forte et je veux réduire le volume.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "La fonction de répétition AB est parfaite pour mes besoins. Je recommande fortement cette application à tous ceux qui aiment boucler des vidéos.",
"testi_author_five": "Michael K.",
"testi_desc_six": "J'adore la fonction de lecture aléatoire. Elle garde mon expérience de visionnage fraîche et excitante.",
"testi_author_six": "David B.",
"unavailable__title": "Fonctionnalités non prises en charge",
"unavailable__desc": "Les fonctionnalités suivantes seront prises en charge à l'avenir.",
"unavailable__desc__one": "Pas de navigateur web",
"unavailable__desc__two": "Pas de YouTube",
"unavailable__desc__three": "Pas encore de streaming",
"available__title": "Important",
"available__desc": " Cette application ne fournit que du contenu d'exemple. La vidéo doit être dans le dossier des documents de l'application sur iPhone et dans le stockage du téléphone sur Android.",
"available__desc__four": "Vidéos pré-téléchargées uniquement",
"app__title": "Rejoignez la communauté",
"app__title__desc": "Rejoignez notre communauté sur Reddit et Discord ! Venez discuter, partager vos expériences et vous amuser ensemble.",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. Tous droits réservés.",
}
const jsonFrenchMeta = {
"description": "Un lecteur vidéo capable de lire des vidéos érotiques sur 1 à 4 écrans simultanément (jusqu'à 9 écrans pris en charge sur tablette). Il offre diverses fonctionnalités telles que la boucle infinie, la mise en sourdine automatique et la pause en arrière-plan, la lecture multi-écrans, la boucle AB, la lecture aléatoire, les listes de lecture, le contrôle par lots, parfait pour les études concentrées, la pratique ou revoir vos scènes préférées.",
"keywords": "érotique, Adult, écran partagé, nsfw, porno, lecteur vidéo, lecture illimitée, lecture multi-écrans, boucle AB, sourdine automatique, pause en arrière-plan, lecture aléatoire, playlist, contrôle par lots"
};
const jsonDutch = {
"hands__nav": "Hands-Free",
"video__nav": "Controle",
"shuffle__nav": "Afspeellijst",
"gallery__nav": "Schermafbeeldingen",
"feature__nav": "Kenmerken",
"reviews__nav": "Recensies",
"hero_title": "multi-videospeler",
"hero_desc": "Kijk je maar één video tegelijk? Echt? Geniet van meerdere video's tegelijkertijd",
"watch__title": "Dempen voor veiligheid!",
"watch__desc": "Een fout kan alles verpesten. Automatisch stoppen bij het overschakelen naar de achtergrond.",
"playback__title": "Meerdere schermen",
"playback__desc": "Bekijk tot 4 video's tegelijkertijd op telefoons. Tot 9 video's op tablets.",
"hands_free_title": "Hands-Free",
"hands_free_desc": "Oneindige herhaling + AB herhaling + Automatische willekeurige afspelen",
"video_control_title": "Bestuur alle of individuele video's",
"video_control_desc": "Gelijktijdig afspelen/pauzeren/dempen. Pas het volume van individuele video's aan.",
"shuffle_title": "Afspeellijst",
"shuffle_desc": "Maak afspeellijsten op basis van je favoriete genres. Je kunt ook afspeellijsten selecteren voor willekeurig afspelen.",
"awesome_sc": "Geweldige schermafbeeldingen",
"feature_title": "Kenmerken",
"feature_desc": "",
"feature_title_one": "Oneindige herhaling",
"feature_desc_one": "Wanneer het afspelen eindigt, begint het opnieuw vanaf het begin. AB-sectie-afspelen wordt ook oneindig herhaald.",
"feature_title_two": "Standaard dempen",
"feature_desc_two": "Standaard gedempt bij het eerste afspelen. Automatisch stoppen wanneer de app naar de achtergrond wordt verplaatst.",
"feature_title_three": "Meerdere schermen afspelen",
"feature_desc_three": "Geniet van het gelijktijdig kijken op meerdere schermen.",
"feature_title_four": "AB-herhaling",
"feature_desc_four": "Als de video lang is, maak dan een AB-herhalingssectie voor je favoriete scènes.",
"feature_title_five": "Willekeurig afspelen + afspeellijst",
"feature_desc_five": "Het kijken naar dezelfde video kan saai worden. Geniet van continue nieuwe video's met willekeurig afspelen.",
"feature_title_six": "Tijdverschuiving afspelen",
"feature_desc_six": "Ervaar iets nieuws met gelijktijdig afspelen of tijdverschuiving afspelen van dezelfde video op meerdere schermen.",
"testi_title": "Geliefd bij onze klanten",
"testi_desc_one": "Deze app is behoorlijk uniek. Ik kan me geen enkele app herinneren zoals deze die je in staat stelt om meerdere video's tegelijk te bekijken. Een must om te proberen!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Laat je 2-4 video's tegelijkertijd zien en verlaag het geluid op elke individuele video, bedankt.",
"testi_author_two": "Emily R.",
"testi_desc_three": "Het is een goede en handige app! Een ding dat ik hier graag zou willen zien, is het toevoegen van video's van verschillende bronnen zoals YouTube en anderen! Maar voorlopig werkt de video goed.",
"testi_author_three": "John M.",
"testi_desc_four": "Geweldige app! Eindelijk iets gevonden dat echt werkt hiervoor. Een suggestie: in staat zijn om het volumeniveau tussen video's te regelen! Ik heb een video die te luid kan zijn en wil het volume verlagen.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "De AB-herhalingsfunctie is perfect voor mijn behoeften. Ik raad deze app ten zeerste aan voor iedereen die graag video's in lus afspeelt.",
"testi_author_five": "Michael K.",
"testi_desc_six": "Ik hou van de shuffle-afspeellijstfunctie. Het houdt mijn kijkervaring fris en spannend.",
"testi_author_six": "David B.",
"unavailable__title": "Niet ondersteunde functies",
"unavailable__desc": "De volgende functies worden in de toekomst ondersteund.",
"unavailable__desc__one": "Geen webbrowser",
"unavailable__desc__two": "Geen YouTube",
"unavailable__desc__three": "Nog niet streamen",
"available__title": "Belangrijk",
"available__desc": "Deze app biedt alleen voorbeeldinhoud. De video moet zich in de documentenmap van de app bevinden op de iPhone en in het telefoongeheugen op Android.",
"available__desc__four": "Alleen vooraf gedownloade video's",
"app__title": "Word lid van de gemeenschap",
"app__title__desc": "Word lid van onze community op Reddit en Discord! Kom langs, deel je ervaringen en heb samen plezier!",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. Alle rechten voorbehouden."
};
const jsonDutchMeta = {
"description": "Ein Videoplayer, der in der Lage ist, erotische Videos auf 1-4 Bildschirmen gleichzeitig unbegrenzt wiederzugeben (auf Tablets werden bis zu 9 Bildschirme unterstützt). Es bietet verschiedene Funktionen wie Endlosschleife, automatische Stummschaltung und Hintergrundpause, Multi-Screen-Wiedergabe, AB-Schleife, Zufallswiedergabe, Wiedergabelisten und Batch-Steuerung und ist ideal für intensives Lernen, Übung oder das erneute Ansehen Ihrer Lieblingsszenen.",
"keywords": "erotisch, Erwachsen, geteilte Bildschirm, nsfw, Porno, Videoplayer, unbegrenzte Wiedergabe, Multi-Screen-Wiedergabe, AB-Schleife, automatische Stummschaltung, Hintergrundpause, Zufallswiedergabe, Wiedergabeliste, Batch-Steuerung"
};
const jsonNorwegian = {
"hands__nav": "Håndfri",
"video__nav": "Kontroll",
"shuffle__nav": "Spilleliste",
"gallery__nav": "Skjermbilder",
"feature__nav": "Funksjoner",
"reviews__nav": "Anmeldelser",
"hero_title": "multivideospiller",
"hero_desc": "Ser du bare én video om gangen? Seriøst? Nyt flere videoer samtidig",
"watch__title": "Dempet for sikkerhet!",
"watch__desc": "Én feil kan ødelegge alt. Automatisk stopp når du bytter til bakgrunnen.",
"playback__title": "Flerskjerm",
"playback__desc": "Se opptil 4 videoer samtidig på telefoner. Opptil 9 videoer på nettbrett.",
"hands_free_title": "Håndfri",
"hands_free_desc": "Uendelig gjentakelse + AB gjentakelse + Automatisk tilfeldig avspilling",
"video_control_title": "Kontroller alle eller individuelle videoer",
"video_control_desc": "Spill/pause/demp samtidig. Juster volum for individuelle videoer.",
"shuffle_title": "Spilleliste",
"shuffle_desc": "Opprett spillelister etter dine favorittsjanger. Du kan også velge spillelister for tilfeldig avspilling.",
"awesome_sc": "Fantastiske skjermbilder",
"feature_title": "Funksjoner",
"feature_desc": "",
"feature_title_one": "Uendelig gjentakelse",
"feature_desc_one": "Når avspillingen slutter, starter den på nytt fra begynnelsen. AB-seksjonsavspilling gjentas også uendelig.",
"feature_title_two": "Demp som standard",
"feature_desc_two": "Dempet som standard ved første avspilling. Automatisk stopp når appen byttes til bakgrunnen.",
"feature_title_three": "Flerskjerm-avspilling",
"feature_desc_three": "Nyt å se på flere skjermer samtidig.",
"feature_title_four": "AB gjentakelse",
"feature_desc_four": "Hvis videoen er lang, kan du opprette en AB-gjentakelsesseksjon for dine favorittscener.",
"feature_title_five": "Tilfeldig avspilling + Spilleliste",
"feature_desc_five": "Å se den samme videoen kan bli kjedelig. Nyt kontinuerlig nye videoer med tilfeldig avspilling.",
"feature_title_six": "Tidsforskjøvet avspilling",
"feature_desc_six": "Opplev noe nytt med samtidig avspilling eller tidsforskjøvet avspilling på flere skjermer av samme video.",
"testi_title": "Elsket av våre kunder",
"testi_desc_one": "Denne appen er ganske unik. Jeg kan ikke huske noen annen app som lar deg se flere videoer samtidig. Må prøves!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Lar deg se 2-4 videoer samtidig og justere lyden på hver enkelt video, takk",
"testi_author_two": "Emily R.",
"testi_desc_three": "Det er en god og praktisk app! En ting jeg gjerne vil se her er å legge til videoer fra ulike kilder som YouTube og andre! Men for nå fungerer videoen bra.",
"testi_author_three": "John M.",
"testi_desc_four": "Fantastisk app! Fant endelig noe som faktisk fungerer for dette. Et forslag: å kunne kontrollere lydnivået mellom videoene! Jeg har en video som kan være for høy og vil gjerne redusere volumet.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "AB-gjentakelsesfunksjonen er perfekt for mine behov. Anbefaler denne appen på det sterkeste til alle som elsker å loope videoer.",
"testi_author_five": "Michael K.",
"testi_desc_six": "Jeg elsker funksjonen med tilfeldig spilleliste. Det holder seeropplevelsen min frisk og spennende.",
"testi_author_six": "David B.",
"unavailable__title": "Ikke støttede funksjoner",
"unavailable__desc": "Følgende funksjoner vil bli støttet i fremtiden.",
"unavailable__desc__one": "Ingen nettleser",
"unavailable__desc__two": "Ingen YouTube",
"unavailable__desc__three": "Ikke strømming ennå",
"available__title": "Viktig",
"available__desc": "Denne appen gir kun prøveinnhold. Videoen må være i appens dokumentmappe på iPhone og i telefonlagringen på Android.",
"available__desc__four": "Kun forhåndsnedlastede videoer",
"app__title": "Bli med i fellesskapet",
"app__title__desc": "Bli med i vårt fellesskap på Reddit og Discord! Bli med, del opplevelsene dine og ha det gøy sammen!",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. Alle rettigheter forbeholdt.",
};
const jsonNorwegianMeta = {
"description": "En videospiller som kan spille av erotiske videoer på 1-4 skjermer samtidig (opptil 9 skjermer støttes på nettbrett). Den tilbyr ulike funksjoner som uendelig sløyfe, automatisk demping og bakgrunnspause, multiskjermavspilling, AB-sløyfe, tilfeldig avspilling, spillelister, batchkontroll, perfekt for fokusert studie, øving eller å se favorittscenene dine igjen.",
"keywords": "erotisk, Voksen, delt skjerm, nsfw, porno, videospiller, ubegrenset avspilling, multiskjermavspilling, AB-sløyfe, automatisk demping, bakgrunnspause, tilfeldig avspilling, spilleliste, batchkontroll"
};
const jsonGerman = {
"hands__nav": "Freihändig",
"video__nav": "Steuerung",
"shuffle__nav": "Wiedergabeliste",
"gallery__nav": "Screenshots",
"feature__nav": "Funktionen",
"reviews__nav": "Bewertungen",
"hero_title": "Mehrfacher Videoplayer",
"hero_desc": "Schaust du nur ein Video auf einmal? Ernsthaft? Genieße mehrere Videos gleichzeitig",
"watch__title": "Stumm zur Sicherheit!",
"watch__desc": "Ein Fehler kann alles ruinieren. Automatischer Stopp beim Wechsel in den Hintergrund.",
"playback__title": "Mehrere Bildschirme",
"playback__desc": "Sehen Sie bis zu 4 Videos gleichzeitig auf Telefonen. Bis zu 9 Videos auf Tablets.",
"hands_free_title": "Freihändig",
"hands_free_desc": "Unendliche Wiederholung + AB-Wiederholung + Zufällige Wiedergabe",
"video_control_title": "Steuern Sie alle oder einzelne Videos",
"video_control_desc": "Gleichzeitig abspielen/anhalten/stummschalten. Lautstärke für einzelne Videos anpassen.",
"shuffle_title": "Wiedergabeliste",
"shuffle_desc": "Erstellen Sie Wiedergabelisten nach Ihren Lieblingsgenres. Sie können auch Wiedergabelisten für zufällige Wiedergabe auswählen.",
"awesome_sc": "Beeindruckende Screenshots",
"feature_title": "Funktionen",
"feature_desc": "",
"feature_title_one": "Unendliche Wiederholung",
"feature_desc_one": "Wenn die Wiedergabe endet, beginnt sie von vorne. Die AB-Wiedergabe wird ebenfalls unendlich wiederholt.",
"feature_title_two": "Standardmäßig stumm",
"feature_desc_two": "Beim ersten Abspielen standardmäßig stumm. Automatischer Stopp, wenn die App in den Hintergrund wechselt.",
"feature_title_three": "Wiedergabe auf mehreren Bildschirmen",
"feature_desc_three": "Genießen Sie es, mehrere Videos gleichzeitig anzusehen.",
"feature_title_four": "AB-Wiederholung",
"feature_desc_four": "Wenn das Video lang ist, erstellen Sie eine AB-Wiederholung für Ihre Lieblingsszenen.",
"feature_title_five": "Zufällige Wiedergabe + Wiedergabeliste",
"feature_desc_five": "Dasselbe Video anzusehen kann langweilig werden. Genießen Sie mit der zufälligen Wiedergabe kontinuierlich neue Videos.",
"feature_title_six": "Zeitversetzte Wiedergabe",
"feature_desc_six": "Erleben Sie etwas Neues mit gleichzeitiger oder zeitversetzter Wiedergabe desselben Videos auf mehreren Bildschirmen.",
"testi_title": "Geliebt von unseren Kunden",
"testi_desc_one": "Diese App ist ziemlich einzigartig. Ich erinnere mich an keine andere App, die es ermöglicht, mehrere Videos gleichzeitig anzusehen. Ein Muss!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Ermöglicht es Ihnen, 2-4 Videos gleichzeitig anzusehen und den Ton bei jedem einzelnen Video zu steuern, danke.",
"testi_author_two": "Emily R.",
"testi_desc_three": "Es ist eine gute und praktische App! Eine Sache, die ich gerne sehen würde, ist das Hinzufügen von Videos aus verschiedenen Quellen wie YouTube und anderen! Aber momentan funktioniert das Video gut.",
"testi_author_three": "John M.",
"testi_desc_four": "Erstaunliche App! Endlich etwas gefunden, das tatsächlich funktioniert. Ein Vorschlag: Die Lautstärke zwischen den Videos steuern zu können! Ich habe ein Video, das zu laut sein könnte, und möchte die Lautstärke reduzieren.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "Die AB-Wiederholungsfunktion ist perfekt für meine Bedürfnisse. Ich empfehle diese App jedem, der Videos gerne in Endlosschleife sieht.",
"testi_author_five": "Michael K.",
"testi_desc_six": "Ich liebe die Shuffle-Wiedergabelisten-Funktion. Sie hält mein Seherlebnis frisch und spannend.",
"testi_author_six": "David B.",
"unavailable__title": "Nicht unterstützte Funktionen",
"unavailable__desc": "Die folgenden Funktionen werden in Zukunft unterstützt.",
"unavailable__desc__one": "Kein Webbrowser",
"unavailable__desc__two": "Kein YouTube",
"unavailable__desc__three": "Noch kein Streaming",
"available__title": "Wichtig",
"available__desc": "Diese App bietet nur Beispielinhalte. Das Video muss sich im Dokumentenordner der App auf dem iPhone oder im Telefonspeicher auf Android befinden.",
"available__desc__four": "Nur vorab heruntergeladene Videos",
"app__title": "Treten Sie der Community bei",
"app__title__desc": "Treten Sie unserer Community auf Reddit und Discord bei! Kommen Sie vorbei, teilen Sie Ihre Erfahrungen und haben Sie Spaß zusammen!",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. Alle Rechte vorbehalten.",
};
const jsonGermanMeta = {
"description": "Ein Videoplayer, der in der Lage ist, erotische Videos auf 1-4 Bildschirmen gleichzeitig abzuspielen (unterstützt bis zu 9 Bildschirme auf Tablets). Er bietet verschiedene Funktionen wie Endlosschleife, automatisches Stummschalten und Pausieren im Hintergrund, Multi-Screen-Wiedergabe, AB-Schleife, Zufallswiedergabe, Wiedergabelisten und Stapelsteuerung, perfekt für fokussiertes Lernen, Üben oder zum erneuten Ansehen deiner Lieblingsszenen.",
"keywords": "erotisch, Erwachsene, geteiltes Bildschirm, nsfw, Porno, Videoplayer, unbegrenzte Wiedergabe, Multi-Screen-Wiedergabe, AB-Schleife, automatisches Stummschalten, Hintergrundpause, Zufallswiedergabe, Wiedergabeliste, Stapelsteuerung"
};
const jsonRussian = {
"hands__nav": "Свободные руки",
"video__nav": "Управление",
"shuffle__nav": "Плейлист",
"gallery__nav": "Скриншоты",
"feature__nav": "Функции",
"reviews__nav": "Отзывы",
"hero_title": "Мульти Видеоплеер",
"hero_desc": "Смотрите только одно видео за раз? Серьезно? Наслаждайтесь несколькими видео одновременно",
"watch__title": "Отключить звук для безопасности!",
"watch__desc": "Одна ошибка может все испортить. Автоостановка при переключении в фоновый режим.",
"playback__title": "Многоканальный просмотр",
"playback__desc": "Смотрите до 4 видео одновременно на телефонах. До 9 видео на планшетах.",
"hands_free_title": "Свободные руки",
"hands_free_desc": "Бесконечный повтор + AB-повтор + Автоматическое случайное воспроизведение",
"video_control_title": "Управление всеми или отдельными видео",
"video_control_desc": "Одновременное воспроизведение/пауза/отключение звука. Настройка громкости для отдельных видео.",
"shuffle_title": "Плейлист",
"shuffle_desc": "Создайте плейлисты по своим любимым жанрам. Также можно выбрать плейлисты для случайного воспроизведения.",
"awesome_sc": "Отличные скриншоты",
"feature_title": "Функции",
"feature_desc": "",
"feature_title_one": "Бесконечный повтор",
"feature_desc_one": "Когда воспроизведение заканчивается, оно снова начинается с начала. AB-повтор также повторяется бесконечно.",
"feature_title_two": "Отключение звука по умолчанию",
"feature_desc_two": "При первом воспроизведении звук отключен по умолчанию. Автоматическая остановка при переходе приложения в фоновый режим.",
"feature_title_three": "Многоканальный просмотр",
"feature_desc_three": "Наслаждайтесь просмотром нескольких видео одновременно.",
"feature_title_four": "AB-повтор",
"feature_desc_four": "Если видео длинное, создайте AB-повтор для ваших любимых сцен.",
"feature_title_five": "Случайное воспроизведение + Плейлист",
"feature_desc_five": "Просмотр одного и того же видео может наскучить. Наслаждайтесь новыми видео с помощью случайного воспроизведения.",
"feature_title_six": "Воспроизведение с временным сдвигом",
"feature_desc_six": "Ощутите новое с одновременным или временно сдвинутым воспроизведением одного и того же видео на нескольких экранах.",
"testi_title": "Любим нашими пользователями",
"testi_desc_one": "Это довольно уникальное приложение. Я не помню другого приложения, которое позволило бы одновременно смотреть несколько видео. Обязательно попробуйте!",
"testi_author_one": "Сара Л.",
"testi_desc_two": "Позволяет одновременно смотреть 2-4 видео и регулировать громкость каждого видео отдельно. Спасибо!",
"testi_author_two": "Эмили Р.",
"testi_desc_three": "Это хорошее и удобное приложение! Единственное, что хотелось бы увидеть — это возможность добавлять видео из других источников, таких как YouTube! Но на данный момент всё работает отлично.",
"testi_author_three": "Джон М.",
"testi_desc_four": "Потрясающее приложение! Наконец-то нашла то, что действительно работает. Предложение: иметь возможность управлять уровнем громкости между видео! У меня есть одно видео, которое может быть слишком громким, и я хочу уменьшить громкость.",
"testi_author_four": "Джессика Т.",
"testi_desc_five": "Функция AB-повтора идеально подходит для моих нужд. Настоятельно рекомендую это приложение всем, кто любит зацикливать видео.",
"testi_author_five": "Майкл К.",
"testi_desc_six": "Мне нравится функция случайного плейлиста. Она делает процесс просмотра более разнообразным и увлекательным.",
"testi_author_six": "Дэвид Б.",
"unavailable__title": "Функции, не поддерживаемые в данный момент",
"unavailable__desc": "Следующие функции будут поддержаны в будущем.",
"unavailable__desc__one": "Без веб-браузера",
"unavailable__desc__two": "Без YouTube",
"unavailable__desc__three": "Без потоковой передачи",
"available__title": "Важно",
"available__desc": "Приложение предоставляет только образцы контента. Видео должно находиться в папке документов приложения на iPhone или в хранилище телефона на Android.",
"available__desc__four": "Только заранее загруженные видео",
"app__title": "Присоединяйтесь к сообществу",
"app__title__desc": "Присоединяйтесь к нашему сообществу на Reddit и Discord! Общайтесь, делитесь опытом и получайте удовольствие вместе!",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. All Rights Reserved.",
};
const jsonRussianMeta = {
"description": "Видеоплеер, способный воспроизводить эротические видео на 1-4 экранах одновременно (поддерживается до 9 экранов на планшетах). Он предлагает различные функции, такие как бесконечная петля, автоматическое выключение звука и пауза в фоновом режиме, многосекционное воспроизведение, петля AB, случайное воспроизведение, плейлисты, пакетное управление, идеально подходит для целенаправленного обучения, практики или просмотра любимых сцен.",
"keywords": "эротический, взрослый, разделенный экран, nsfw, порно, видеоплеер, неограниченное воспроизведение, многосекционное воспроизведение, петля AB, автоматическое выключение звука, пауза в фоновом режиме, случайное воспроизведение, плейлист, пакетное управление"
};
const jsonVietnamese = {
"hands__nav": "Rảnh tay",
"video__nav": "Điều khiển",
"shuffle__nav": "Danh sách phát",
"gallery__nav": "Ảnh chụp màn hình",
"feature__nav": "Tính năng",
"reviews__nav": "Đánh giá",
"hero_title": "Trình Phát Video Đa Năng",
"hero_desc": "Chỉ xem một video mỗi lần? Thật sao? Thưởng thức nhiều video cùng một lúc",
"watch__title": "Tắt tiếng để an toàn!",
"watch__desc": "Một sai lầm có thể làm hỏng mọi thứ. Tự động dừng khi chuyển sang chế độ nền.",
"playback__title": "Phát nhiều màn hình",
"playback__desc": "Xem tối đa 4 video đồng thời trên điện thoại. Tối đa 9 video trên máy tính bảng.",
"hands_free_title": "Rảnh tay",
"hands_free_desc": "Lặp lại không giới hạn + Lặp lại AB + Phát ngẫu nhiên tự động",
"video_control_title": "Điều khiển tất cả hoặc video riêng lẻ",
"video_control_desc": "Phát/Pause/Tắt tiếng đồng thời. Điều chỉnh âm lượng cho từng video riêng lẻ.",
"shuffle_title": "Danh sách phát",
"shuffle_desc": "Tạo danh sách phát theo thể loại yêu thích của bạn. Bạn cũng có thể chọn danh sách phát để phát ngẫu nhiên.",
"awesome_sc": "Ảnh chụp màn hình tuyệt vời",
"feature_title": "Tính năng",
"feature_desc": "",
"feature_title_one": "Lặp lại không giới hạn",
"feature_desc_one": "Khi phát xong, nó sẽ bắt đầu lại từ đầu. Phát lại đoạn AB cũng sẽ lặp lại không giới hạn.",
"feature_title_two": "Tắt tiếng theo mặc định",
"feature_desc_two": "Tắt tiếng theo mặc định khi lần đầu phát. Tự động dừng khi ứng dụng chuyển sang chế độ nền.",
"feature_title_three": "Phát nhiều màn hình",
"feature_desc_three": "Thưởng thức việc xem trên nhiều màn hình đồng thời.",
"feature_title_four": "Lặp lại AB",
"feature_desc_four": "Nếu video dài, hãy tạo đoạn lặp AB cho các cảnh yêu thích của bạn.",
"feature_title_five": "Phát ngẫu nhiên + Danh sách phát",
"feature_desc_five": "Xem cùng một video có thể trở nên nhàm chán. Thưởng thức video mới liên tục với phát ngẫu nhiên.",
"feature_title_six": "Phát với thay đổi thời gian",
"feature_desc_six": "Trải nghiệm điều gì đó mới với phát đồng thời hoặc phát với thay đổi thời gian trên nhiều màn hình của cùng một video.",
"testi_title": "Yêu thích của khách hàng của chúng tôi",
"testi_desc_one": "Ứng dụng này khá độc đáo. Tôi không nhớ ứng dụng nào cho phép bạn xem nhiều video cùng lúc như thế này. Phải thử!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Cho phép bạn xem 2-4 video cùng lúc và giảm âm lượng cho từng video riêng lẻ. Cảm ơn!",
"testi_author_two": "Emily R.",
"testi_desc_three": "Đây là một ứng dụng tốt và tiện lợi! Một điều tôi muốn thấy là thêm video từ các nguồn khác như YouTube! Nhưng hiện tại video hoạt động tốt.",
"testi_author_three": "John M.",
"testi_desc_four": "Ứng dụng tuyệt vời! Cuối cùng tôi đã tìm thấy thứ gì đó thực sự hoạt động. Đề xuất: có thể điều khiển mức âm lượng giữa các video! Tôi có một video có thể quá lớn và muốn giảm âm lượng.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "Chức năng lặp AB hoàn hảo cho nhu cầu của tôi. Rất khuyến khích ứng dụng này cho bất kỳ ai yêu thích lặp lại video.",
"testi_author_five": "Michael K.",
"testi_desc_six": "Tôi thích tính năng danh sách phát ngẫu nhiên. Nó giữ cho trải nghiệm xem của tôi luôn mới mẻ và thú vị.",
"testi_author_six": "David B.",
"unavailable__title": "Các tính năng không được hỗ trợ",
"unavailable__desc": "Các tính năng sau sẽ được hỗ trợ trong tương lai.",
"unavailable__desc__one": "Không có Trình duyệt Web",
"unavailable__desc__two": "Không có YouTube",
"unavailable__desc__three": "Chưa hỗ trợ phát trực tiếp",
"available__title": "Quan trọng",
"available__desc": "Ứng dụng chỉ cung cấp nội dung mẫu. Video phải nằm trong thư mục tài liệu của ứng dụng trên iPhone và trong bộ nhớ điện thoại trên Android.",
"available__desc__four": "Chỉ video đã tải xuống trước",
"app__title": "Tham gia cộng đồng",
"app__title__desc": "Tham gia cộng đồng của chúng tôi trên Reddit và Discord! Hãy tham gia, chia sẻ kinh nghiệm của bạn và vui vẻ cùng nhau!",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. All Rights Reserved.",
};
const jsonVietnameseMeta = {
"description": "Trình phát video có khả năng phát video khiêu dâm trên 1-4 màn hình cùng lúc (hỗ trợ tối đa 9 màn hình trên máy tính bảng). Nó cung cấp các tính năng như lặp vô tận, tự động tắt tiếng và tạm dừng nền, phát đa màn hình, vòng lặp AB, phát ngẫu nhiên, danh sách phát, điều khiển hàng loạt, hoàn hảo cho việc học tập tập trung, thực hành hoặc xem lại các cảnh yêu thích của bạn.",
"keywords": "khiêu dâm, Người lớn, màn hình chia nhỏ, nsfw, video khiêu dâm, trình phát video, phát không giới hạn, phát đa màn hình, vòng lặp AB, tự động tắt tiếng, tạm dừng nền, phát ngẫu nhiên, danh sách phát, điều khiển hàng loạt"
};
const jsonItalian = {
"hands__nav": "Senza mani",
"video__nav": "Controllo",
"shuffle__nav": "Playlist",
"gallery__nav": "Screenshot",
"feature__nav": "Caratteristiche",
"reviews__nav": "Recensioni",
"hero_title": "Lettore Video Multiplo",
"hero_desc": "Guardi solo un video alla volta? Seriamente? Goditi più video contemporaneamente",
"watch__title": "Silenzio per Sicurezza!",
"watch__desc": "Un errore può rovinare tutto. Arresto automatico quando si passa in background.",
"playback__title": "Multi-Schermo",
"playback__desc": "Guarda fino a 4 video contemporaneamente sui telefoni. Fino a 9 video sui tablet.",
"hands_free_title": "Senza mani",
"hands_free_desc": "Ripetizione infinita + Ripetizione AB + Riproduzione casuale automatica",
"video_control_title": "Controlla Tutti o Video Singoli",
"video_control_desc": "Riproduci/Metti in pausa/Silenzia contemporaneamente. Regola il volume per i video singoli.",
"shuffle_title": "Playlist",
"shuffle_desc": "Crea playlist per i tuoi generi preferiti. Puoi anche selezionare playlist per la riproduzione casuale.",
"awesome_sc": "Screenshot Straordinari",
"feature_title": "Caratteristiche",
"feature_desc": "",
"feature_title_one": "Ripetizione Infinita",
"feature_desc_one": "Quando la riproduzione termina, ricomincia dall'inizio. Anche la sezione AB viene ripetuta all'infinito.",
"feature_title_two": "Silenzio per Default",
"feature_desc_two": "Silenzio per default quando si avvia per la prima volta. Arresto automatico quando l'app viene spostata in background.",
"feature_title_three": "Riproduzione Multi-Schermo",
"feature_desc_three": "Goditi la visione su più schermi contemporaneamente.",
"feature_title_four": "Ripetizione AB",
"feature_desc_four": "Se il video è lungo, crea una sezione di ripetizione AB per le tue scene preferite.",
"feature_title_five": "Riproduzione Casuale + Playlist",
"feature_desc_five": "Guardare lo stesso video può diventare noioso. Goditi video nuovi e continui con la riproduzione casuale.",
"feature_title_six": "Riproduzione Ritardata",
"feature_desc_six": "Scopri qualcosa di nuovo con la riproduzione simultanea o ritardata su più schermi dello stesso video.",
"testi_title": "Amato dai Nostri Clienti",
"testi_desc_one": "Questa app è abbastanza unica. Non ricordo nessuna app simile che ti permetta di guardare più video contemporaneamente. Deve essere provata!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Ti consente di vedere 2-4 video contemporaneamente e abbassare il volume su ciascun video singolo. Grazie",
"testi_author_two": "Emily R.",
"testi_desc_three": "È un'app buona e conveniente! Una cosa che mi piacerebbe vedere è l'aggiunta di video da diverse fonti come YouTube. Ma per ora il video funziona bene.",
"testi_author_three": "John M.",
"testi_desc_four": "App fantastica! Finalmente ho trovato qualcosa che funziona davvero per questo. Suggerimento: essere in grado di controllare il livello del volume tra i video! Ho un video che potrebbe essere troppo forte e voglio ridurre il volume.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "La funzione di ripetizione AB è perfetta per le mie esigenze. Consiglio vivamente questa app a chi ama ripetere video.",
"testi_author_five": "Michael K.",
"testi_desc_six": "Mi piace molto la funzione di playlist casuale. Mantiene la mia esperienza di visione fresca e interessante.",
"testi_author_six": "David B.",
"unavailable__title": "Funzionalità Non Supportate",
"unavailable__desc": "Le seguenti funzionalità saranno supportate in futuro.",
"unavailable__desc__one": "Nessun Browser Web",
"unavailable__desc__two": "Nessun YouTube",
"unavailable__desc__three": "Non in Streaming Ancora",
"available__title": "Importante",
"available__desc": "Questa app fornisce solo contenuti di esempio. I video devono essere nella cartella documenti dell'app su iPhone e nella memoria del telefono su Android.",
"available__desc__four": "Solo Video Pre-Scaricati",
"app__title": "Unisciti alla Comunità",
"app__title__desc": "Unisciti alla nostra comunità su Reddit e Discord! Vieni a fare quattro chiacchiere, condividi le tue esperienze e divertiti insieme a noi!",
"maill__desc": "[email protected]",
"copyright__desc": "Copyright © 2024 AraOneSoft.co. Tutti i diritti riservati."
};
const jsonItalianMeta = {
"description": "Un lettore video in grado di riprodurre video erotici su 1-4 schermi contemporaneamente (supporta fino a 9 schermi sui tablet). Offre varie funzionalità come loop infinito, disattivazione automatica e pausa in background, riproduzione multi-schermo, loop AB, riproduzione casuale, playlist, controllo batch, perfetto per studio concentrato, pratica o per rivedere le tue scene preferite.",
"keywords": "erotico, Adulto, schermo diviso, nsfw, porno, lettore video, riproduzione illimitata, riproduzione multi-schermo, loop AB, disattivazione automatica, pausa in background, riproduzione casuale, playlist, controllo batch"
};
const jsonChineseSimplified = {
"hands__nav": "免提",
"video__nav": "控制",
"shuffle__nav": "播放列表",
"gallery__nav": "截图",
"feature__nav": "功能",
"reviews__nav": "评论",
"hero_title": "多视频播放器",
"hero_desc": "一次只看一个视频?真的吗?同时欣赏多个视频",
"watch__title": "安全静音!",
"watch__desc": "一个错误可能会毁掉一切。切换到后台时自动停止播放。",
"playback__title": "多屏播放",
"playback__desc": "手机上最多同时观看4个视频。平板电脑上最多9个视频。",
"hands_free_title": "免提",
"hands_free_desc": "无限重复 + AB重复 + 自动随机播放",
"video_control_title": "控制所有视频或单独视频",
"video_control_desc": "同时播放/暂停/静音。调整单独视频的音量。",
"shuffle_title": "播放列表",
"shuffle_desc": "根据您喜欢的类别创建播放列表。您还可以选择播放列表进行随机播放。",
"awesome_sc": "精彩截图",
"feature_title": "功能",
"feature_desc": "",
"feature_title_one": "无限重复",
"feature_desc_one": "播放结束时,从头开始。AB段播放也会无限重复。",
"feature_title_two": "默认静音",
"feature_desc_two": "首次播放时默认静音。应用切换到后台时自动停止播放。",
"feature_title_three": "多屏播放",
"feature_desc_three": "享受同时在多个屏幕上观看的乐趣。",
"feature_title_four": "AB重复",
"feature_desc_four": "如果视频很长,为您喜欢的场景创建AB重复段。",
"feature_title_five": "随机播放 + 播放列表",
"feature_desc_five": "观看同一个视频可能会变得无聊。通过随机播放享受连续的新视频。",
"feature_title_six": "时间错位播放",
"feature_desc_six": "通过同时播放或在多个屏幕上错位播放同一视频,体验新事物。",
"testi_title": "客户的喜爱",
"testi_desc_one": "这个应用程序非常独特。我不记得有任何应用程序允许您同时观看多个视频。必须尝试!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "让您同时查看2-4个视频,并降低每个视频的音量,谢谢!",
"testi_author_two": "Emily R.",
"testi_desc_three": "这是一个很好的方便的应用程序!我希望在这里看到的一个功能是能够添加来自不同来源的视频,如YouTube!但目前视频运行良好。",
"testi_author_three": "John M.",
"testi_desc_four": "惊人的应用程序!我终于找到了实际有效的东西。建议:能够在视频之间控制音量水平!我有一个视频可能太响了,想要降低音量。",
"testi_author_four": "Jessica T.",
"testi_desc_five": "AB重复功能非常适合我的需求。强烈推荐这个应用程序给任何喜欢循环视频的人。",
"testi_author_five": "Michael K.",
"testi_desc_six": "我喜欢随机播放列表功能。它让我的观看体验保持新鲜和兴奋。",
"testi_author_six": "David B.",
"unavailable__title": "不支持的功能",
"unavailable__desc": "以下功能将在未来支持。",
"unavailable__desc__one": "没有网页浏览器",
"unavailable__desc__two": "没有YouTube",
"unavailable__desc__three": "尚未支持流媒体",
"available__title": "重要",
"available__desc": "该应用程序仅提供示例内容。视频必须位于iPhone上的应用程序文档文件夹中,以及Android上的手机存储中。",
"available__desc__four": "仅支持预先下载的视频",
"app__title": "加入社区",
"app__title__desc": "加入我们在Reddit和Discord上的社区!来一起交流,分享经验,并一起享受乐趣!",
"maill__desc": "[email protected]",
"copyright__desc": "版权所有 © 2024 AraOneSoft.co. 保留所有权利。"
};
const jsonChineseSimplifiedMeta = {
"description": "一款可以在1-4个屏幕上同时播放色情视频的视频播放器(平板电脑最多支持9个屏幕)。它提供无限循环、自动静音和后台暂停、多屏播放、AB循环、随机播放、播放列表、批量控制等多种功能,非常适合专注学习、练习或重温你喜欢的场景。",
"keywords": "色情, 成人, 分屏, nsfw, 色情视频, 视频播放器, 无限播放, 多屏播放, AB循环, 自动静音, 后台暂停, 随机播放, 播放列表, 批量控制"
};
const jsonChineseTraditional = {
"hands__nav": "免提",
"video__nav": "控制",
"shuffle__nav": "播放清單",
"gallery__nav": "截圖",
"feature__nav": "功能",
"reviews__nav": "評論",
"hero_title": "多視訊播放器",
"hero_desc": "一次只看一個視訊?認真嗎?同時享受多個視訊",
"watch__title": "安全靜音!",
"watch__desc": "一個錯誤可能會毀掉一切。切換到背景時自動停止播放。",
"playback__title": "多螢幕播放",
"playback__desc": "手機上最多同時觀看4個視頻。平板電腦上最多9個視頻。",
"hands_free_title": "免提",
"hands_free_desc": "無限重複 + AB重複 + 自動隨機播放",
"video_control_title": "控制所有視頻或單獨視頻",
"video_control_desc": "同時播放/暫停/靜音。調整單獨視頻的音量。",
"shuffle_title": "播放清單",
"shuffle_desc": "根據您喜歡的類別創建播放清單。您還可以選擇播放清單進行隨機播放。",
"awesome_sc": "精彩截圖",
"feature_title": "功能",
"feature_desc": "",
"feature_title_one": "無限重複",
"feature_desc_one": "播放結束時,從頭開始。AB段播放也會無限重複。",
"feature_title_two": "默認靜音",
"feature_desc_two": "首次播放時默認靜音。應用切換到背景時自動停止播放。",
"feature_title_three": "多螢幕播放",
"feature_desc_three": "享受在多個螢幕上同時觀看的樂趣。",
"feature_title_four": "AB重複",
"feature_desc_four": "如果視頻很長,為您喜歡的場景創建AB重複段。",
"feature_title_five": "隨機播放 + 播放清單",
"feature_desc_five": "觀看同一個視頻可能會變得無聊。通過隨機播放享受連續的新視頻。",
"feature_title_six": "時間錯位播放",
"feature_desc_six": "通過同時播放或在多個螢幕上錯位播放同一視頻,體驗新事物。",
"testi_title": "客戶的喜愛",
"testi_desc_one": "這個應用程序非常獨特。我不記得有任何應用程序允許您同時觀看多個視頻。必須嘗試!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "讓您同時查看2-4個視頻,並降低每個視頻的音量,謝謝!",
"testi_author_two": "Emily R.",
"testi_desc_three": "這是一個很好的方便的應用程序!我希望在這裡看到的一個功能是能夠添加來自不同來源的視頻,如YouTube!但目前視頻運行良好。",
"testi_author_three": "John M.",
"testi_desc_four": "驚人的應用程序!我終於找到了實際有效的東西。建議:能夠在視頻之間控制音量水平!我有一個視頻可能太響了,想要降低音量。",
"testi_author_four": "Jessica T.",
"testi_desc_five": "AB重複功能非常適合我的需求。強烈推薦這個應用程序給任何喜歡循環視頻的人。",
"testi_author_five": "Michael K.",
"testi_desc_six": "我喜歡隨機播放清單功能。它讓我的觀看體驗保持新鮮和興奮。",
"testi_author_six": "David B.",
"unavailable__title": "不支持的功能",
"unavailable__desc": "以下功能將在未來支持。",
"unavailable__desc__one": "沒有網頁瀏覽器",
"unavailable__desc__two": "沒有YouTube",
"unavailable__desc__three": "尚未支持流媒體",
"available__title": "重要",
"available__desc": "該應用程序僅提供示例內容。視頻必須位於iPhone上的應用程序文檔文件夾中,以及Android上的手機存儲中。",
"available__desc__four": "僅支持預先下載的視頻",
"app__title": "加入社區",
"app__title__desc": "加入我們在Reddit和Discord上的社區!來一起交流,分享經驗,並一起享受樂趣!",
"maill__desc": "[email protected]",
"copyright__desc": "版權所有 © 2024 AraOneSoft.co. 保留所有權利。"
};
const jsonChineseTraditionalMeta = {
"description": "一款可以在1-4個螢幕上同時播放色情視頻的視頻播放器(平板電腦最多支持9個螢幕)。它提供無限循環、自動靜音和後台暫停、多屏播放、AB循環、隨機播放、播放列表、批量控制等多種功能,非常適合專注學習、練習或重溫你喜歡的場景。",
"keywords": "色情, 成人, 分屏, nsfw, 色情視頻, 視頻播放器, 無限播放, 多屏播放, AB循環, 自動靜音, 後台暫停, 隨機播放, 播放列表, 批量控制"
};
const jsonArabic = {
"hands__nav": "بلا استخدام اليدين",
"video__nav": "تحكم",
"shuffle__nav": "قائمة التشغيل",
"gallery__nav": "لقطات الشاشة",
"feature__nav": "الميزات",
"reviews__nav": "التقييمات",
"hero_title": "مشغل فيديو متعدد",
"hero_desc": "تشاهد فيديو واحد فقط في كل مرة؟ حقاً؟ استمتع بمشاهدة عدة فيديوهات في نفس الوقت",
"watch__title": "صامت من أجل الأمان!",
"watch__desc": "قد تدمر خطأ واحد كل شيء. توقف تلقائي عند الانتقال إلى الخلفية.",
"playback__title": "تشغيل متعدد الشاشات",
"playback__desc": "شاهد ما يصل إلى 4 مقاطع فيديو في نفس الوقت على الهواتف. حتى 9 مقاطع فيديو على الأجهزة اللوحية.",
"hands_free_title": "بلا استخدام اليدين",
"hands_free_desc": "تكرار غير محدود + تكرار AB + تشغيل عشوائي تلقائي",
"video_control_title": "التحكم في جميع الفيديوهات أو الفيديوهات الفردية",
"video_control_desc": "تشغيل/إيقاف مؤقت/كتم الصوت في نفس الوقت. ضبط الصوت للفيديوهات الفردية.",
"shuffle_title": "قائمة التشغيل",
"shuffle_desc": "أنشئ قوائم تشغيل حسب الفئات المفضلة لديك. يمكنك أيضًا اختيار قوائم التشغيل للتشغيل العشوائي.",
"awesome_sc": "لقطات شاشة رائعة",
"feature_title": "الميزات",
"feature_desc": "",
"feature_title_one": "تكرار غير محدود",
"feature_desc_one": "عند انتهاء التشغيل، يبدأ من البداية. كما يتم تكرار تشغيل قسم AB بشكل غير محدود.",
"feature_title_two": "كتم الصوت افتراضياً",
"feature_desc_two": "كتم الصوت افتراضيًا عند التشغيل الأول. التوقف التلقائي عند الانتقال إلى الخلفية.",
"feature_title_three": "تشغيل متعدد الشاشات",
"feature_desc_three": "استمتع بمشاهدة مقاطع الفيديو على عدة شاشات في نفس الوقت.",
"feature_title_four": "تكرار AB",
"feature_desc_four": "إذا كان الفيديو طويلاً، أنشئ قسم تكرار AB لمشاهدتك المفضلة.",
"feature_title_five": "تشغيل عشوائي + قائمة تشغيل",
"feature_desc_five": "قد يصبح مشاهدة نفس الفيديو مملاً. استمتع بمقاطع فيديو جديدة باستمرار عبر التشغيل العشوائي.",
"feature_title_six": "تشغيل بتوقيت متداخل",
"feature_desc_six": "جرب شيئًا جديدًا عبر التشغيل المتزامن أو التشغيل بتوقيت متداخل على عدة شاشات لنفس الفيديو.",
"testi_title": "محبوب من قبل عملائنا",
"testi_desc_one": "هذا التطبيق فريد من نوعه. لا أذكر أي تطبيق يسمح لك بمشاهدة عدة مقاطع فيديو في نفس الوقت. يجب تجربته!",
"testi_author_one": "سارة ل.",
"testi_desc_two": "يتيح لك مشاهدة 2-4 مقاطع فيديو في نفس الوقت وخفض الصوت لكل فيديو على حدة، شكرًا لك!",
"testi_author_two": "إميلي ر.",
"testi_desc_three": "تطبيق جيد ومريح! الشيء الوحيد الذي أود رؤيته هنا هو إضافة مقاطع الفيديو من مصادر مختلفة مثل YouTube! لكن حاليًا، الفيديو يعمل بشكل جيد.",
"testi_author_three": "جون م.",
"testi_desc_four": "تطبيق مذهل! أخيرًا وجدت شيئًا يعمل بشكل جيد لهذا. اقتراح: القدرة على التحكم في مستوى الصوت بين الفيديوهات! لدي فيديو قد يكون صاخبًا جدًا وأريد خفض الصوت.",
"testi_author_four": "جيسيكا ت.",
"testi_desc_five": "وظيفة تكرار AB مثالية لاحتياجاتي. أوصي بشدة بهذا التطبيق لأي شخص يحب تكرار الفيديوهات.",
"testi_author_five": "مايكل ك.",
"testi_desc_six": "أحب ميزة قائمة التشغيل العشوائية. إنها تحافظ على تجربة المشاهدة الخاصة بي جديدة ومثيرة.",
"testi_author_six": "ديفيد ب.",
"unavailable__title": "الميزات غير المدعومة",
"unavailable__desc": "الميزات التالية ستتم دعمها في المستقبل.",
"unavailable__desc__one": "لا متصفح ويب",
"unavailable__desc__two": "لا YouTube",
"unavailable__desc__three": "لا تدفق حاليًا",
"available__title": "مهم",
"available__desc": "يوفر هذا التطبيق فقط محتوى تجريبي. يجب أن يكون الفيديو في مجلد مستندات التطبيق على iPhone وفي تخزين الهاتف على Android.",
"available__desc__four": "فقط مقاطع الفيديو المحملة مسبقًا",
"app__title": "انضم إلى المجتمع",
"app__title__desc": "انضم إلى مجتمعنا على Reddit وDiscord! تعال للتواصل، ومشاركة تجاربك، والاستمتاع معًا!",
"maill__desc": "[email protected]",
"copyright__desc": "حقوق الطبع والنشر © 2024 AraOneSoft.co. جميع الحقوق محفوظة."
};
const jsonArabicMeta = {
"description": "مشغل فيديو قادر على تشغيل مقاطع الفيديو الإباحية على 1-4 شاشات في نفس الوقت (يدعم ما يصل إلى 9 شاشات على الأجهزة اللوحية). يقدم ميزات متنوعة مثل التكرار اللانهائي، كتم الصوت التلقائي وإيقاف الخلفية، التشغيل المتعدد الشاشات، تكرار AB، التشغيل العشوائي، قوائم التشغيل، التحكم بالجملة، مما يجعله مثاليًا للدراسة المركزة أو التدريب أو إعادة مشاهدة المشاهد المفضلة لديك.",
"keywords": "إباحي, بالغ, تقسيم الشاشة, nsfw, فيديو إباحي, مشغل فيديو, تشغيل غير محدود, تشغيل متعدد الشاشات, تكرار AB, كتم تلقائي, إيقاف الخلفية, تشغيل عشوائي, قائمة التشغيل, تحكم بالجملة"
};
const jsonCzech = {
"hands__nav": "Bez použití rukou",
"video__nav": "Ovládání",
"shuffle__nav": "Seznam skladeb",
"gallery__nav": "Snímky obrazovky",
"feature__nav": "Funkce",
"reviews__nav": "Recenze",
"hero_title": "přehrávač více videí",
"hero_desc": "Sledujete vždy jen jedno video? Vážně? Užívejte si několik videí najednou",
"watch__title": "Ticho pro bezpečnost!",
"watch__desc": "Jeden chybný krok může všechno zničit. Automatické zastavení při přepnutí do pozadí.",
"playback__title": "Více obrazovek",
"playback__desc": "Sledujte až 4 videa současně na telefonech. Až 9 videí na tabletech.",
"hands_free_title": "Bez použití rukou",
"hands_free_desc": "Nekonečné opakování + AB opakování + Automatické náhodné přehrávání",
"video_control_title": "Ovládání všech nebo jednotlivých videí",
"video_control_desc": "Přehrát/Pozastavit/Kontrola zvuku současně. Nastavit hlasitost pro jednotlivá videa.",
"shuffle_title": "Seznam skladeb",
"shuffle_desc": "Vytvářejte seznamy skladeb podle svých oblíbených žánrů. Můžete také vybrat seznamy skladeb pro náhodné přehrávání.",
"awesome_sc": "Skvělé snímky obrazovky",
"feature_title": "Funkce",
"feature_desc": "",
"feature_title_one": "Nekonečné opakování",
"feature_desc_one": "Po skončení přehrávání začne video znovu od začátku. Opakování sekce AB je také nekonečné.",
"feature_title_two": "Ticho jako výchozí",
"feature_desc_two": "Ticho jako výchozí při prvním přehrávání. Automatické zastavení při přepnutí do pozadí.",
"feature_title_three": "Přehrávání na více obrazovkách",
"feature_desc_three": "Užijte si sledování na několika obrazovkách současně.",
"feature_title_four": "Opakování AB",
"feature_desc_four": "Pokud je video dlouhé, vytvořte sekci AB pro své oblíbené scény.",
"feature_title_five": "Náhodné přehrávání + Seznam skladeb",
"feature_desc_five": "Sledování stejného videa může být nudné. Užijte si nové videa díky náhodnému přehrávání.",
"feature_title_six": "Přehrávání s posunem v čase",
"feature_desc_six": "Zažijte něco nového s současným přehráváním nebo posunutým přehráváním na více obrazovkách stejného videa.",
"testi_title": "Oblíbené u našich zákazníků",
"testi_desc_one": "Tento aplikace je velmi jedinečná. Nepamatuji si žádnou aplikaci, která by vám umožnila sledovat více videí současně. Musíte vyzkoušet!",
"testi_author_one": "Sarah L.",
"testi_desc_two": "Umožňuje vám sledovat 2-4 videa současně a snížit zvuk u každého jednotlivého videa, děkuji!",
"testi_author_two": "Emily R.",
"testi_desc_three": "Je to dobrá a pohodlná aplikace! Jedna věc, kterou bych rád viděl, je přidání videí z různých zdrojů, jako je YouTube! Ale zatím video funguje dobře.",
"testi_author_three": "John M.",
"testi_desc_four": "Úžasná aplikace! Konečně jsem našel něco, co opravdu funguje. Návrh: možnost ovládat úroveň hlasitosti mezi videi! Mám video, které může být příliš hlasité, a chci snížit hlasitost.",
"testi_author_four": "Jessica T.",
"testi_desc_five": "Funkce opakování AB je perfektní pro mé potřeby. Vysoce doporučuji tuto aplikaci každému, kdo má rád opakování videí.",
"testi_author_five": "Michael K.",