-
Notifications
You must be signed in to change notification settings - Fork 19
/
lang.js
2728 lines (2705 loc) · 106 KB
/
lang.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
let language = 'en';
let loadedLang = {};
function lang() {
return loadedLang;
}
// thanks ChatGPT :)
// - Tnix
function deepCopy(obj) {
if (obj === null || typeof obj !== 'object') {
return obj;
}
if (Array.isArray(obj)) {
const arrCopy = [];
for (let i = 0; i < obj.length; i++) {
arrCopy[i] = deepCopy(obj[i]);
}
return arrCopy;
}
const objCopy = {};
for (let key in obj) {
if (obj.hasOwnProperty(key)) {
objCopy[key] = deepCopy(obj[key]);
}
}
return objCopy;
}
function deepMerge(target, source) {
if (typeof target !== 'object' || target === null) {
return source;
}
if (typeof source !== 'object' || source === null) {
return target;
}
for (let key in source) {
if (source.hasOwnProperty(key)) {
if (typeof source[key] === 'object' && source[key] !== null) {
if (!target[key] || typeof target[key] !== 'object') {
target[key] = Array.isArray(source[key]) ? [] : {};
}
deepMerge(target[key], source[key]);
} else {
target[key] = source[key];
}
}
}
return target;
}
function setlang(lang) {
localStorage.setItem("language", lang);
language = lang;
if (lang === "en") {
loadedLang = en;
} else {
loadedLang = deepMerge(deepCopy(en), deepCopy(eval(lang)));
}
}
const en = {
"reh": "English, US", // future reference for people adding languages disregard the reh
"language": "English, US", // Replace this with that the language is called in that language (ie: "Español" instead of "Spanish")
"page_home": "Home", // To update a language easier I suggest looking at the diff between en and the language you're editing (sorry I don't have a better solution)
"page_start": "Start",
"page_explore": "Explore",
"page_inbox": "Inbox",
"page_settings": "Settings",
"meo_username": "Username",
"meo_password": "Password",
"meo_totp": "Authenticator app or recovery code", // update
"meo_messagebox": Math.random() < 1/25 ? "Whar's on your mind?" : "What's on your mind?",
"meo_goanywhere": "Where would you like to go?",
"meo_welcome": "Welcome!",
"meo_hello": "Hello!", // update
"meo_userson": "users online",
"meo_members": "members",
"meo_bridged": {
"start": "Bridged",
"title": "This post has been bridged from another platform."
},
"meo_typing": {
"one": "{user} is typing...",
"two": "{user1} and {user2} are typing...",
"multiple": "{user1}, {user2}, and {user3} are typing...",
"many": "{count} people are typing..."
},
"title_chats": "Chats",
"title_live": "Livechat",
"settings_general": "General",
"settings_account": "Account", // update
"settings_appearance": "Appearance",
"settings_plugins": "Plugins",
"settings_languages": "Languages",
"settings_profile": "Profile",
"general_sub": {
"chat": "Chat",
"accessibility": "Accessibility",
"misc": "Miscellaneous",
"acc": "Account",
"blockedusers": "Blocks",
"blockedwords": "Blacklisted Words",
"about": "About",
"credits": "Credits",
"contrib": "Contribute",
"privacy": "Privacy & Safety",
},
"general_list": {
"title": {
"homepage": "Auto-navigate to Home",
"consolewarnings": "Disable console warning",
"blockedmessages": "Hide blocked user messages",
"invtyping": "Invisible typing",
"imagewhitelist": "Allow images from any source",
"censorwords": "Censor blacklisted words",
"embeds": "Special embeds",
"reducemotion": "Reduce motion",
"showpostbuttons": "Always show post buttons",
"underlinelinks": "Always underline links",
"magnify": "Magnify text",
"entersend": "Don't send on Enter",
"hideimages": "Hide images",
"notifications": "Allow Notifications",
"widemode": "New Desktop Experience",
"discord": "Discord Post Layout",
"compactmode": "Compact Mode",
"ulist": "Online Userlist",
},
"desc": {
"homepage": "Instead of showing you the Start Page you get directly taken to home",
"consolewarnings": "Hides warning message from console",
"blockedmessages": "Show a warning or hide messages completely",
"invtyping": "Other users won't see you typing",
"imagewhitelist": "This allows any site to see your IP, use responsibly",
"censorwords": "Censors words instead of treating them like a blocked message",
"embeds": "Embeds Tenor GIFS, Youtube Videos, etc. (Uses 3rd party cookies)",
"reducemotion": "Reduce the intensity of animations and other moving effects",
"showpostbuttons": "Post buttons always remain visible",
"underlinelinks": "Make links to websites and other pages stand out more by underlining them",
"magnify": "Enlargens and bolds text to be easier to read with poor eyesight (Requires refresh)",
"entersend": "Enter key creates newlines instead of sending the post",
"hideimages": "Blurs images before opening them",
"notifications": "This will ask for notification permissions",
"widemode": "Enables new desktop experience (Requires refresh)",
"discord": "Reverses the post order to be more like Discord (Requires refresh)",
"compactmode": "Makes posts take up less space, for viewing more posts at a time (Requires refresh)",
"ulist": "Shows the list of users online on the home page",
}
},
"account_sub": {
"password": "Password",
"privacy": "Privacy & Safety",
"mfa": "Multi-factor Authentication",
"mfainfoenabled": "Multi-factor authentication is enabled. You'll be prompted to prove your identity using one of the devices below when logging into your account.",
"mfainfodisabled": "Multi-factor authentication is currently disabled. Add a device using one of the buttons below to add extra security to your account.",
"mfainfoincompatible": "Put your authenticator app or recovery code right after your password when logging into clients that don't support multi-factor authentication.",
"devices": "Devices",
"added": "Successfully added authenticator app!",
"recoverycode": "Here is your recovery code, please save it somewhere safe:",
},
"appearance_sub": {
"theme": "Theme",
"spthemes": "Special Themes",
"acthemes": "Accessible Themes",
"ogthemes": "Original Themes",
"glthemes": "Glass Themes",
"cstheme": "Custom Theme",
"cscss": "Custom CSS",
},
"plugins_sub": {
"manage": "Manage",
"desc": "The plugins repo can be found ",
"link": "here!"
},
"languages_sub": {
"title": "Select a Language",
"desc": "Don't see your language here? Help translate on",
"link": "Github!",
"other": "Other Languages"
},
"inbox_sub": {
"desc": "Notifications are displayed here.",
},
"live_sub": {
"desc": "Messages won't be saved here."
},
"login_sub": {
"title": "Login",
"desc": "This client was made by eri :>",
"oldpass": "Old Password",
"newpass": "New Password",
"agreement": "Terms of Use & Privacy Policy",
},
"leave_sub": {
"desc": "Are you sure you want to leave",
"end": "?",
},
"action": {
"logout": "Log Out",
"login": "Log In",
"signup": "Register",
"search": "Search",
"mod": "Moderate",
"creategc": "Create Chat",
"leavegc": "Leave Chat?",
"dmme": "DM Me :)",
"invite": "Invite People",
"gohome": "Go Home",
"cleartokens": "Clear Tokens",
"changepw": "Change Password",
"addtotp": "Add Authenticator App",
"resetrecovery": "Reset Recovery Code",
"clearls": "Clear Localstorage",
"deleteacc": "Delete Account",
"block": "Block",
"blockuser": "Block User",
"blockword": "Blacklist Word",
"run": "Run",
"close": "Close",
"back": "Back",
"opennewtab": "Open in Browser",
"reply": "Reply",
"mention": "Mention",
"report": "Report",
"delete": "Delete",
"edit": "Edit",
"share": "Share",
"comment": "Comment",
"nick": "Nickname",
"create": "Create",
"reason": "Reason",
"sendreport": "Send Report",
"yes": "Yes",
"confirm": "Confirm",
"update": "Update",
"go": "Go",
"apply": "Apply",
"savetheme": "Save Theme",
"loadtheme": "Load Theme",
"resetplugins": "Disable All",
"favorite": "Favorite",
"download": "Download",
"add": "Add",
"adduser": "Add Member",
"transfer": "Transfer Ownership",
"bug": "Report Bug",
"datarequest": "Request Data",
"discuss": "Discuss",
"ping": "Ping",
"moddel": "Mod Delete",
"modpost": "Moderate Post",
"message": "Message",
"uploademoji": "Upload Emoji",
"editemoji": "Edit Emoji",
"name": "Name",
"remove": "Remove",
},
"info": {
"accexists": "Username Already Taken!",
"invaliduser": "Invalid Username!",
"invalidpass": "Invalid Password!",
"invalidcreds": "Invalid username or password!",
"invalidotp": "Invalid code!", // update
"unknownmfa": "Unknown multi-factor method! Please make sure you are on the latest meo version.", // update
"nopass": "You must enter your password!", // update
"nocode": "You must enter the generated one-time code!", // update
"authadd": "Authenticator app added! Here is your recovery code that you can use to get back in if you ever get locked out, please keep it safe: ", // update
"authrename": "Authenticator renamed!",
"authremove": "Authenticator removed!",
"accbanned": "Account Banned!",
"accdeleted": "Account Deleted!",
"conflict": "You probably logged in on another client. Refresh the page and log back in to continue.",
"unknown": "Unknown Login Status:",
"chatremoved": "You have been removed from the chat you were in.",
"passupdate": "Your password has been updated!",
"editingpost": "Editing Post:",
"reportsent": "Report Sent!",
"blockedip": "Blocked IP",
"searchany": "Search for anything!",
"cleartokens": "This will log you out everywhere.",
"clearls": "This will log you out.",
"signup": "By signing up you agree to the Meower TOS",
"tokenscleared": "Tokens deleted, you will need to log back in",
"accscheduled": "Account scheduled for deletion",
"deletewarn": "It will be deleted FOREVER (a very long time!)",
"changepwwarn": "It will be updated immediately.",
"tryagain": "Try again",
"cleared": "Cleared!",
"plugin": "Restart now to apply new plugins and their settings",
"replieslimit": "You can only reply up to 10 posts at a time!", // update
},
"reports": {
"spam": "Spam",
"harassment": "Harassment or abuse towards others",
"language": "Rude, vulgar or offensive language",
"nsfw": "NSFW (sexual, alcohol, violence, gore, etc.)",
"scam": "Scams, hacks, phishing or other malicious content",
"harm": "Threatening violence or real world harm",
"illegal": "Illegal activity",
"suicide": "Self-harm/suicide",
"age": "This person is too young to use Meower",
"other": "Other",
},
"modals": {
"report": "Report Post",
"blockword": "Blacklist a Word",
"blockauser": "Block a User (case sensitive)",
"blockuser": "Block",
"unblockuser": "Unblock",
"bgimage": "Background Image Link",
"blockedip": "IP Blocked",
"cleartokens": "Clear Tokens?",
"changepass": "Change Password",
"clearls": "Clear Localstorage?",
"deleteacc": "Delete Account?",
"share": "Share",
"plugin": "Refresh Required!",
"shortcuts": "Shortcuts",
"copyuser": "Copied username to clipboard!",
"copygc": "Copied link to chat!",
},
"profile": {
"quote": "Quote",
"persona": "Personalization",
"color": "Profile Color",
"avatar": "Profile Picture",
"pronouns": "Pronouns",
"update": "Save Profile",
},
"chats": { // update
"owner": "Ownership",
"settings": "Settings",
"members": "Members",
"addmember": "Add Member",
"emojis": "Emojis",
"uploademoji": "Upload Emoji",
"chatsettings": "Chat Settings",
"leave": "Leave",
"update": "Save Chat",
},
"inputs": { // update
"onetimecode": "One-time code",
"password": "Password",
}
}
const enuk = {
"language": "English, UK",
"meo_bridged": {
"start": "Bridged",
"title": "This post has been bridged from another platform."
},
"general_sub": {
},
"general_list": {
"title": {
},
"desc": {
"homepage": "Instead of showing you the Start Page, you're taken directly to the Home.",
"consolewarnings": "Hides warning messages from the console.",
"blockedmessages": "Shows a warning or hides messages completely.",
"invtyping": "Other users won't see you typing.",
"imagewhitelist": "Allows images from any site, use responsibly.",
"censorwords": "Censors words instead of treating them like a blocked message.",
"embeds": "Embeds Tenor GIFs, YouTube Videos, etc. (Uses 3rd party cookies).",
"reducemotion": "Reduces the intensity of animations and other moving effects.",
"showpostbuttons": "Post buttons always remain visible.",
"underlinelinks": "Makes links to websites and other pages stand out more by underlining them.",
},
},
"appearance_sub": {
},
"plugins_sub": {
},
"languages_sub": {
},
"inbox_sub": {
},
"live_sub": {
},
"login_sub": {
},
"leave_sub": {
},
"action": {
"clearls": "Clear Local Storage",
"favorite": "Favourite",
},
"info": {
},
"reports": {
},
"modals": {
"clearls": "Clear Local Storage?",
},
"profile": {
"persona": "Personalisation",
"color": "Profile Colour",
},
"chats": {
}
}
const es = {
//Spanish Americas Translation by ethernet/Ethernet0
//Last updated 6/4/2024(2024-06-04) - version 1.1
//hi eri! :)
"language": "Español Latinoamérica", //corrected - ethernet0 v1.1
"page_home": "Home",
"page_start": "Inicio",
"page_explore": "Explorar",
"page_inbox": "Buzón",
"page_settings": "Configuracion",
"meo_username": "Nombre de Usuario",
"meo_password": "Contraseña",
"meo_messagebox": "¿En qué estás pensando?",
"meo_goanywhere": "A dónde le gustaría ir?",
"meo_welcome": "¡Bienvenido!",
"meo_bridged": {
"start": "Puenteado",
"title": "Este mensaje ha sido puenteado desde otra plataforma."
},
"title_chats": "Chats",
"title_live": "Tiempo real",
"settings_general": "General",
"settings_appearance": "Apariencia",
"settings_plugins": "Plugins (expansiones)",
"settings_languages": "Idiomas",
"general_sub": {
"chat": "Chat",
"accessibility": "Accesibilidad",
"misc": "Otros",
"acc": "Cuenta",
"blockedusers": "Usuarios Bloqueados",
"blockedwords": "Palabras Bloqueadas",
"about": "Acerca De",
"credits": "Creditos",
},
"general_list": {
"title": {
"homepage": "Auto-navegar a Home",
"consolewarnings": "Desactivar advertencias de la consola",
"blockedmessages": "Hide blocked user messages",
"invtyping": "Escritura/Tecleado invisible",
"imagewhitelist": "Permitir imágenes de cualquier fuente",
"censorwords": "Censurar palabras de la lista negra",
"embeds": "Incorporaciones especiales",
"reducemotion": "Reducir movimiento",
"showpostbuttons": "Siempre mostrar botones en mensajes",
"underlinelinks": "Siempre subrayar enlaces",
"entersend": "No enviar en Intro/Enter",
"hideimages": "Ocultar imágenes",
},
"desc": {
"homepage": "En lugar de mostrarte la página de inicio, navegar directamente a home",
"consolewarnings": "Oculta los mensajes de alerta de la consola",
"blockedmessages": "Mostrar una advertencia (o) ocultar completamente los mensajes bloqueados",
"invtyping": "Otros usuarios no te verán teclear",
"imagewhitelist": "Esto permite que cualquier sitio vea tu direction IP, use responsibly",
"censorwords": "Censurar palabras en lugar de tratarlas como un mensaje bloqueado",
"embeds": "Incoroporar GIFs de Tenor, Videos de Youtube, ect. (Usa cookies de 3ª part)",
"reducemotion": "Reducir la intensidad de las animaciones y otros efectos con movimiento",
"showpostbuttons": "Los botones en las publicaciónes/mensajes permanecen siempre visibles",
"underlinelinks": "Subrayar los enlaces a sitios web y otras páginas para que destaquen más.",
"entersend": "La tecla Intro crea nuevas líneas en lugar de enviar el mensaje",
"hideimages": "Difuminar imágenes antes de abrirlas",
}
},
"appearance_sub": {
"theme": "Tema",
"spthemes": "Temas Speciales",
"acthemes": "Temas Accesibles",
"ogthemes": "Temas Originales",
"glthemes": "Temas de Vidrio",
"cstheme": "Tema Personalizado",
"cscss": "Código CSS personalizado",
},
"plugins_sub": {
"manage": "Manage",
"desc": "The plugins repo can be found ",
"link": "here!"
},
"languages_sub": {
"title": "Seleccione un idioma",
"desc": "¿No ves tu idioma aquí? Ayuda a traducir en",
"link": "Github!"
},
"inbox_sub": {
"desc": "Las notificaciones aparecen aquí.",
},
"live_sub": {
"desc": "Aquí no se guardan los mensajes."
},
"login_sub": {
"title": "Iniciar sesión",
"desc": "Este cliente/servicio fue hecho por eri :> - Traducido al español por ether",
"oldpass": "Contraseña Anterior",
"newpass": "Contraseña Nueva",
"agreement": "Términos de servicio y Política de privacidad"
},
"leave_sub": {
"desc": "¿Estás seguro de que quieres irte",
"end": "?",
},
"action": {
"logout": "Cerrar Sesión",
"login": "Iniciar Sesión",
"signup": "Registrarse",
"search": "Búsqueda",
"mod": "Moderar",
"creategc": "Crear Chat (Grupo)",
"leavegc": "¿Abandonar Chat/Groupo?",
"dmme": "DM Me :)",
"invite": "Invitar Personas",
"gohome": "Ir a Home",
"cleartokens": "Borrar Fichas de sesión (Tokens)",
"changepw": "Cambiar Contraseña",
"clearls": "Borrar Almacenamiento Local",
"deleteacc": "Eliminar Cuenta",
"block": "Bloquear",
"blockuser": "Bloquear Usuario",
"blockword": "Añadir Palabra a la Lista Negra",
"run": "Run (Ejecutar)",
"close": "Cerrar",
"back": "Atrás",
"opennewtab": "Abrir En Navegador Web",
"reply": "Responder",
"mention": "Mencionar Usuario",
"report": "Denunciar",
"delete": "Eliminar",
"edit": "Editar",
"share": "Compartir",
"comment": "Comentar",
"nick": "Sobrenombre",
"create": "Crear",
"reason": "Razón",
"sendreport": "Enviar Denuncia",
"yes": "Si",
"confirm": "Confirmar",
"update": "Actualizar",
"go": "Ir",
"apply": "Aplicar",
"savetheme": "Save Theme (Salvar Tema)",
"loadtheme": "Load Theme (Cargar Tema)",
"resetplugins": "Deshabilitar todo",
"favorite": "Favoritos",
},
"info": {
"accexists": "¡Nombre de Usuario ya Ocupado!",
"invaliduser": "¡Nombre de Usuario Inválido!",
"invalidpass": "¡Contraseña Inválida!",
"accbanned": "¡Cuenta Vetada!",
"accdeleted": "¡Cuenta eliminada!",
"conflict": "Es probable que hayas iniciado una sesión en otro servicio/ciber cliente. Refresque la página y vuelva a iniciar una sesión para continuar.",
"unknown": "Estado de inicio de sesión desconocido:",
"chatremoved": "Has sido eliminado del chat/grupo en el que estabas.",
"passupdate": "Su contraseña ha sido actualizada. Es posible que tenga que volver a iniciar su sesión.",
"editingpost": "Editando Mensaje:",
"reportsent": "¡Denuncia enviada!",
"blockedip": "Dirección IP bloqueada",
"searchany": "¡Busca cualquier cosa!",
"cleartokens": "Esto cerrará tu sesión en todas partes",
"clearls": "Esto cerrará tu sesión.",
"signup": "Al registrarte aceptas los términos y condiciones de servicio de Meower",
"tokenscleared": "Fichas de sesión (Session Tokens) eliminadas, tendrá que volver a iniciar sesión",
"accscheduled": "Cuenta de usuario programada para su eliminación",
"deletewarn": "Se borrará PARA SIEMPRE (¡Un tiempo muy largo!)",
"changepwwarn": "Se actualizará de inmediato.",
"tryagain": "Inténtalo de nuevo",
"cleared": "¡Borrado!",
"plugin": "Reinicia ahora para aplicar las nuevas expansiones y sus ajustes.",
},
"reports": {
"spam": "Spam (Basura)",
"harassment": "Acoso o abuso hacia otras personas",
"language": "Lenguaje grosero, vulgar (y/o) ofensivo",
"nsfw": "NSFW (sexual, alcohol, violencia, sangriento, etc.)",
"scam": "Estafas, hackeos, phishing (y/o) otros contenidos maliciosos",
"harm": "Amenazas de violencia o daños en el mundo real",
"illegal": "Actividad ilegal",
"suicide": "Autolesión/suicidio",
"age": "Esta persona es demasiado/a joven para usar Meower",
"other": "Otro",
},
"modals": {
"report": "Denunciar Mensaje",
"blockword": "Añadir Palabra a la Lista Negra",
"blockauser": "Block a User (case sensitive)",
"blockuser": "Bloquear",
"unblockuser": "Desbloquear",
"bgimage": "Enlace de Imagen de Fondo (Background Image Link)",
"blockedip": "Dirección IP bloqueada",
"cleartokens": "Borrar Fichas de sesión (Tokens)?",
"changepass": "Cambiar Contraseña",
"clearls": "Borrar Almacenamiento Local?",
},
"profile": {
"quote": "Cita de perfil",
"persona": "Personalización",
"color": "Color del perfil",
"avatar": "Foto de perfil",
},
"chats": {
"members": "Miembros"
}
}
const es_es = {
// Spanish translation by ethernet/ethernet0, converted by NotFenixio
// Last updated 02/06/2024 (dd/mm/yyyy)
// hey eris, hi josh
"language": "Español España",
"page_home": "Inicio",
"page_start": "Comienzo",
"page_explore": "Explorar",
"page_inbox": "Bandeja de entrada",
"page_settings": "Configuración",
"meo_username": "Nombre de usuario",
"meo_password": "Contraseña",
"meo_messagebox": "¿Qué tienes en mente?",
"meo_goanywhere": "¿A dónde te gustaría ir?",
"meo_welcome": "¡Bienvenido!",
"meo_bridged": {
"start": "Conectado",
"title": "Esta publicación ha sido conectada desde otra plataforma."
},
"title_chats": "Chats",
"title_live": "Chat en vivo",
"settings_general": "General",
"settings_appearance": "Apariencia",
"settings_plugins": "Complementos",
"settings_languages": "Idiomas",
"general_sub": {
"chat": "Chat",
"accessibility": "Accesibilidad",
"misc": "Misceláneo",
"acc": "Cuenta",
"blockedusers": "Usuarios bloqueados",
"blockedwords": "Palabras en lista negra",
"about": "Acerca de",
"credits": "Créditos"
},
"general_list": {
"title": {
"homepage": "Navegación automática a Inicio",
"consolewarnings": "Desactivar advertencias de consola",
"blockedmessages": "Ocultar mensajes de usuarios bloqueados",
"invtyping": "Escritura invisible",
"imagewhitelist": "Permitir imágenes de cualquier fuente",
"censorwords": "Censurar palabras en lista negra",
"embeds": "Incrustaciones especiales",
"reducemotion": "Reducir movimiento",
"showpostbuttons": "Mostrar siempre los botones de publicación",
"underlinelinks": "Subrayar siempre los enlaces",
"entersend": "No enviar con Enter",
"hideimages": "Ocultar imágenes",
},
"desc": {
"homepage": "En lugar de mostrarte la Página de Inicio, serás llevado directamente a Inicio",
"consolewarnings": "Oculta los mensajes de advertencia de la consola",
"blockedmessages": "Mostrar una advertencia u ocultar los mensajes completamente",
"invtyping": "Otros usuarios no verán que estás escribiendo",
"imagewhitelist": "Esto permite que cualquier sitio vea tu IP, úsalo responsablemente",
"censorwords": "Censura palabras en lugar de tratarlas como un mensaje bloqueado",
"embeds": "Incrusta GIFs de Tenor, videos de YouTube, etc. (Usa cookies de terceros)",
"reducemotion": "Reduce la intensidad de las animaciones y otros efectos en movimiento",
"showpostbuttons": "Los botones de publicación siempre permanecen visibles",
"underlinelinks": "Hacer que los enlaces a sitios web y otras páginas resalten más subrayándolos",
"entersend": "La tecla Enter crea nuevas líneas en lugar de enviar la publicación",
"hideimages": "Desenfoca las imágenes antes de abrirlas",
}
},
"appearance_sub": {
"theme": "Tema",
"spthemes": "Temas especiales",
"acthemes": "Temas accesibles",
"ogthemes": "Temas originales",
"glthemes": "Temas de vidrio",
"cstheme": "Tema personalizado",
"cscss": "CSS personalizado"
},
"plugins_sub": {
"manage": "Gestionar",
"desc": "El repositorio de complementos se puede encontrar ",
"link": "aquí!"
},
"languages_sub": {
"title": "Seleccionar un idioma",
"desc": "¿No ves tu idioma aquí? Ayuda a traducir en",
"link": "Github!"
},
"inbox_sub": {
"desc": "Las notificaciones se muestran aquí."
},
"live_sub": {
"desc": "Los mensajes no se guardarán aquí."
},
"login_sub": {
"title": "Iniciar sesión",
"desc": "meo por eri, leo por josh",
"oldpass": "Contraseña antigua",
"newpass": "Nueva contraseña",
"agreement": "Términos de uso y Política de privacidad"
},
"leave_sub": {
"desc": "¿Estás seguro de que quieres salir",
"end": "?",
},
"action": {
"logout": "Cerrar sesión",
"login": "Iniciar sesión",
"signup": "Registrarse",
"search": "Buscar",
"mod": "Moderar",
"creategc": "Crear chat",
"leavegc": "¿Salir del chat?",
"dmme": "DM Me :)",
"invite": "Invitar a personas",
"gohome": "Ir a Inicio",
"cleartokens": "Borrar tokens",
"changepw": "Cambiar contraseña",
"clearls": "Borrar almacenamiento local",
"deleteacc": "Eliminar cuenta",
"block": "Bloquear",
"blockuser": "Bloquear usuario",
"blockword": "Palabra en lista negra",
"run": "Ejecutar",
"close": "Cerrar",
"back": "Atrás",
"opennewtab": "Abrir en el navegador",
"reply": "Responder",
"mention": "Mencionar",
"report": "Reportar",
"delete": "Eliminar",
"edit": "Editar",
"share": "Compartir",
"comment": "Comentar",
"nick": "Apodo",
"create": "Crear",
"reason": "Razón",
"sendreport": "Enviar reporte",
"yes": "Sí",
"confirm": "Confirmar",
"update": "Actualizar",
"go": "Ir",
"apply": "Aplicar",
"savetheme": "Guardar tema",
"loadtheme": "Cargar tema",
"resetplugins": "Deshabilitar todo",
"favorite": "Favorito",
},
"info": {
"accexists": "¡Nombre de usuario ya tomado!",
"invaliduser": "¡Nombre de usuario inválido!",
"invalidpass": "¡Contraseña inválida!",
"accbanned": "¡Cuenta bloqueada!",
"accdeleted": "¡Cuenta eliminada!",
"conflict": "Probablemente iniciaste sesión en otro cliente. Refresca la página e inicia sesión nuevamente para continuar.",
"unknown": "Estado de inicio de sesión desconocido:",
"chatremoved": "Has sido eliminado del chat en el que estabas.",
"passupdate": "¡Tu contraseña ha sido actualizada!",
"editingpost": "Editando publicación:",
"reportsent": "¡Reporte enviado!",
"blockedip": "IP bloqueada",
"searchany": "¡Busca cualquier cosa!",
"cleartokens": "Esto cerrará tu sesión en todas partes.",
"clearls": "Esto cerrará tu sesión.",
"signup": "Al registrarte aceptas los Términos de Servicio de Meower",
"tokenscleared": "Tokens eliminados, necesitarás iniciar sesión nuevamente",
"accscheduled": "Cuenta programada para eliminación",
"deletewarn": "Se eliminará PARA SIEMPRE (¡un tiempo muy largo!)",
"changepwwarn": "Se actualizará inmediatamente.",
"tryagain": "Inténtalo de nuevo",
"cleared": "¡Borrado!",
"plugin": "Reinicia ahora para aplicar los nuevos complementos y sus configuraciones"
},
"reports": {
"spam": "Spam",
"harassment": "Acoso o abuso hacia otros",
"language": "Lenguaje grosero, vulgar u ofensivo",
"nsfw": "NSFW (sexual, alcohol, violencia, gore, etc.)",
"scam": "Estafas, hacks, phishing u otro contenido malicioso",
"harm": "Amenaza de violencia o daño real",
"illegal": "Actividad ilegal",
"suicide": "Auto-lesiones/suicidio",
"age": "Esta persona es demasiado joven para usar Meower",
"other": "Otro"
},
"modals": {
"report": "Reportar publicación",
"blockword": "Añadir una palabra a la lista negra",
"blockauser": "Bloquear a un usuario (sensible a mayúsculas)",
"blockuser": "Bloquear",
"unblockuser": "Desbloquear",
"bgimage": "Enlace de imagen de fondo",
"blockedip": "IP bloqueada",
"cleartokens": "¿Borrar tokens?",
"changepass": "Cambiar contraseña",
"clearls": "¿Borrar almacenamiento local?",
"deleteacc": "¿Eliminar cuenta?",
"share": "Compartir",
"plugin": "¡Requiere actualización!",
},
"profile": {
"quote": "Cita",
"persona": "Personalización",
"color": "Color del perfil",
"avatar": "Foto de perfil"
},
"chats": {
"members": "Miembros"
}
}
const fr = {
"language": "Français", // Replace this with that the language is called in that language (ie: "Español" instead of "Spanish")
"page_home": "Accueil", // To update a language easier I suggest looking at the diff between en and the language you're editing (sorry I don't have a better solution)
"page_start": "Démarrer",
"page_explore": "Explores",
"page_inbox": "Voîte de réception",
"page_settings": "Paramètres",
"meo_username": "Nom d’utilisateur",
"meo_password": "Mot de passe",
"meo_totp": "Application d'authentification ou code de récupération",
"meo_messagebox": "What's on your mind?",
"meo_goanywhere": "Où dèsires-tu aller ?",
"meo_welcome": "Bienvenue !",
"meo_hello": "Bonjour !",
"meo_userson": "utilisateurs en ligne",
"meo_members": "membres",
"meo_bridged": {
"start": "Pont",
"title": "This post has been bridged from another platform."
},
"meo_typing": {
"one": "{user} est en train d'écrire...",
"two": "{user1} et {user2} est en train d'écrire...",
"multiple": "{user1}, {user2}, et {user3} est en train d'écrire...",
"many": "{count} personnes en train d'écrireg..."
},
"title_chats": "Èchanges",
"title_live": "Livechat",
"settings_general": "Général",
"settings_account": "Compte",
"settings_appearance": "Apparence",
"settings_plugins": "Plugins",
"settings_languages": "Langue",
"settings_profile": "Profil",
"general_sub": {
"chat": "Chat",
"accessibility": "Accessibilité",
"misc": "Autre",
"acc": "Compte",
"blockedusers": "Blocks",
"blockedwords": "Blacklisted Words",
"about": "Informations",
"credits": "Crédits",
"contrib": "Contribuer",
"privacy": "Confidentialité et sécurité",
},
"general_list": {
"title": {
"homepage": "Auto-navigate to Home",
"consolewarnings": "Disable console warning",
"blockedmessages": "Hide blocked user messages",
"invtyping": "Invisible typing",
"imagewhitelist": "Allow images from any source",
"censorwords": "Censor blacklisted words",
"embeds": "Special embeds",
"reducemotion": "Reduce motion",
"showpostbuttons": "Always show post buttons",
"underlinelinks": "Always underline links",
"magnify": "Magnify text",
"entersend": "Don't send on Enter",
"hideimages": "Hide images",
"notifications": "Allow Notifications",
"widemode": "New Desktop Experience",
"discord": "Discord Post Layout",
"compactmode": "Compact Mode",
"ulist": "Online Userlist",
},
"desc": {
"homepage": "Instead of showing you the Start Page you get directly taken to home",
"consolewarnings": "Hides warning message from console",
"blockedmessages": "Show a warning or hide messages completely",
"invtyping": "Other users won't see you typing",
"imagewhitelist": "This allows any site to see your IP, use responsibly",
"censorwords": "Censors words instead of treating them like a blocked message",
"embeds": "Embeds Tenor GIFS, Youtube Videos, etc. (Uses 3rd party cookies)",
"reducemotion": "Reduce the intensity of animations and other moving effects",
"showpostbuttons": "Post buttons always remain visible",
"underlinelinks": "Make links to websites and other pages stand out more by underlining them",
"magnify": "Enlargens and bolds text to be easier to read with poor eyesight (Requires refresh)",
"entersend": "Enter key creates newlines instead of sending the post",
"hideimages": "Blurs images before opening them",
"notifications": "This will ask for notification permissions",
"widemode": "Enables new desktop experience (Requires refresh)",
"discord": "Reverses the post order to be more like Discord (Requires refresh)",
"compactmode": "Makes posts take up less space, for viewing more posts at a time (Requires refresh)",
"ulist": "Shows the list of users online on the home page",
}
},
"account_sub": {
"password": "Mot de passe",
"privacy": "Confidentialité et sécurité",
"mfa": "Authentification multifactorielle",
"mfainfoenabled": "Multi-factor authentication is enabled. You'll be prompted to prove your identity using one of the devices below when logging into your account.",
"mfainfodisabled": "Multi-factor authentication is currently disabled. Add a device using one of the buttons below to add extra security to your account.",
"mfainfoincompatible": "Put your authenticator app or recovery code right after your password when logging into clients that don't support multi-factor authentication.",
"devices": "Devices",
"added": "Successfully added authenticator app!",
"recoverycode": "Here is your recovery code, please save it somewhere safe:",
},
"appearance_sub": {
"theme": "Théme",
"spthemes": "Special Themes",
"acthemes": "Accessible Themes",
"ogthemes": "Original Themes",
"glthemes": "Glass Themes",
"cstheme": "Custom Theme",
"cscss": "Custom CSS",
},
"plugins_sub": {
"manage": "Manage",
"desc": "The plugins repo can be found ",
"link": "here!"
},
"languages_sub": {
"title": "Sèlectionne une Langue",
"desc": "La langue que vous souhaitez n'est pas disponible ?",
"link": "Aidez-nous en contribuant vos traductions !",
"other": "Autres options de langue"
},
"inbox_sub": {
"desc": "Notifications are displayed here.",
},
"live_sub": {
"desc": "Messages won't be saved here."
},
"login_sub": {
"title": "Login",
"desc": "This client was made by eri :>",
"oldpass": "Old Password",
"newpass": "New Password",
"agreement": "Terms of Use & Privacy Policy",
},
"leave_sub": {
"desc": "Are you sure you want to leave",
"end": "?",
},
"action": {
"logout": "Déconnexion",
"login": "Connexion",
"signup": "S'inscrire",
"search": "Rechercher",
"mod": "Modéré",
"creategc": "Create Chat",
"leavegc": "Leave Chat?",
"dmme": "DM Me :)",
"invite": "Invite People",
"gohome": "Go Home",
"cleartokens": "Clear Tokens",
"changepw": "Change Password",
"addtotp": "Add Authenticator App",
"resetrecovery": "Reset Recovery Code",
"clearls": "Clear Localstorage",
"deleteacc": "Delete Account",
"block": "Block",
"blockuser": "Block User",
"blockword": "Blacklist Word",
"run": "Run",
"close": "Close",
"back": "Back",
"opennewtab": "Open in Browser",
"reply": "Rèpondre",
"mention": "Mention",
"report": "Signaler",
"delete": "Supprimer",
"edit": "Modifier",
"share": "Partager",
"comment": "Comment",
"nick": "Nickname",
"create": "Create",
"reason": "Reason",
"sendreport": "Send Report",
"yes": "Yes",
"confirm": "Confirm",
"update": "Update",
"go": "Go",
"apply": "Apply",
"savetheme": "Save Theme",
"loadtheme": "Load Theme",
"resetplugins": "Disable All",
"favorite": "Favorite",
"download": "Download",