forked from metalalchemist/VeTube
-
Notifications
You must be signed in to change notification settings - Fork 0
/
VeTube.py
1431 lines (1417 loc) · 78.8 KB
/
VeTube.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/python
# -*- coding: <encoding name> -*-
import json,wx,wx.adv,threading,languageHandler,restart,time,funciones,google_currency,fajustes,ajustes,mostrarchat
from keyboard_handler.wx_handler import WXKeyboardHandler
from playsound import playsound
from TTS.lector import configurar_tts, detect_onnx_models
from TTS.list_voices import install_piper_voice
from pyperclip import copy
from helpers.timer import Timer
from chat_downloader import ChatDownloader
from update import updater,update
from os import path,remove,getcwd, makedirs
from TikTokLive import TikTokLiveClient
from TikTokLive.types.events import CommentEvent, GiftEvent, DisconnectEvent, ConnectEvent,LikeEvent,JoinEvent,FollowEvent,ShareEvent,ViewerUpdateEvent,EnvelopeEvent, EmoteEvent
from menu_accesible import Accesible
from translator import TranslatorWrapper
from helpers.playroom_helper import PlayroomHelper
yt=0
# revisar la configuración primero, ya que necesitamos determinar el sistema TTS a través de ella.
if not path.exists("data.json"): fajustes.escribirConfiguracion()
config=fajustes.leerConfiguracion()
lector=configurar_tts(config['sistemaTTS'])
leer=configurar_tts("sapi5")
def configurar_piper(carpeta_voces):
global config, lector
onnx_models = detect_onnx_models(carpeta_voces)
if onnx_models is None:
sinvoces = wx.MessageDialog(None, _('Necesitas al menos una voz para poder usar el sintetizador Piper. ¿Quieres abrir nuestra carpeta de Drive para descargar algunos modelos? Si pulsas sí, se abrirá nuestra carpeta seguido de una ventana para instalar una una vez la descargues.'), _("No hay voces instaladas"), wx.YES_NO | wx.ICON_QUESTION)
abrir_modelos = sinvoces.ShowModal()
if abrir_modelos == wx.ID_YES:
wx.LaunchDefaultBrowser("https://drive.google.com/drive/folders/1zFJRTI6CpVw9NkrTiNYOKGga0yn4JXzv?usp=drive_link")
config, lector = install_piper_voice(config, lector)
sinvoces.Destroy()
elif isinstance(onnx_models, str) or isinstance(onnx_models, list):
config['voz'] = 0
carpeta_voces = path.join(getcwd(), "piper", "voices")
def escribirTeclas():
with open('keys.txt', 'w+') as arch: arch.write("""{
"control+p": leer.silence,
"alt+shift+up": self.elementoAnterior,
"alt+shift+down": self.elementoSiguiente,
"alt+shift+left": self.retrocederCategorias,
"alt+shift+right": self.avanzarCategorias,
"alt+shift+home": self.elementoInicial,
"alt+shift+end": self.elementoFinal,
"alt+shift+f": self.destacarMensaje,
"alt+shift+c": self.copiar,
"alt+shift+m": self.callar,
"alt+shift+s": self.iniciarBusqueda,
"alt+shift+v": self.mostrarMensaje,
"alt+shift+d": self.borrarBuffer,
"alt+shift+p": self.desactivarSonidos,
"alt+shift+k": self.createEditor,
"alt+shift+a": self.addRecuerdo}""")
leerTeclas()
def leerTeclas():
if path.exists("keys.txt"):
global mis_teclas
with open ("keys.txt",'r') as arch: mis_teclas=arch.read()
else: escribirTeclas()
pos=[]
favorite=funciones.leerJsonLista('favoritos.json')
mensajes_destacados=funciones.leerJsonLista('mensajes_destacados.json')
leer.set_rate(config['speed'])
leer.set_pitch(config['tono'])
leer.set_voice(leer.list_voices()[0])
leer.set_volume(config['volume'])
favs=funciones.convertirLista(favorite,'titulo','url')
msjs=funciones.convertirLista(mensajes_destacados,'mensaje','titulo')
# establecer la voz del lector en piper:
if config['sistemaTTS'] == "piper":
lector=lector.piperSpeak(f"piper/voices/voice-{ajustes.lista_voces_piper[config['voz']][:-5]}/{ajustes.lista_voces_piper[config['voz']]}")
# establecer idiomas:
languageHandler.setLanguage(config['idioma'])
idiomas = languageHandler.getAvailableLanguages()
langs = []
[langs.append(i[1]) for i in idiomas]
codes = []
[codes.append(i[0]) for i in idiomas]
codes.reverse()
langs.reverse()
mensaje_teclas=[_('Silencia la voz sapy'),_('Mensaje anterior.'),_('Mensaje siguiente'),_('Buffer anterior'),_('Siguiente Buffer'),_('Ir al comienzo del buffer'),_('Ir al final del buffer'),_('Destaca un mensaje en el buffer de favoritos'),_('Copia el mensaje actual'),_('Activa o desactiva la lectura automática'),_('Busca una palabra en los mensajes actuales'),_('Muestra el mensaje actual en un cuadro de texto'),_('borra el buffer seleccionado'),_('activa o desactiva los sonidos del programa'),_('Invocar el editor de combinaciones de teclado'),_('Archivar un mensaje')]
def retornarCategorias():
lista=[[_('General')]]
if config['categorias'][0]: lista.append([_('Mensajes')])
if config['categorias'][1]: lista.append([_('Miembros')])
if config['categorias'][2]: lista.append([_('Donativos')])
if config['categorias'][3]: lista.append([_('Moderadores')])
if config['categorias'][4]: lista.append([_('Usuarios Verificados')])
if config['categorias'][5]: lista.append([_('Favoritos')])
return lista
lista=retornarCategorias()
for temporal in lista: pos.append(1)
class MyFrame(wx.Frame):
def __init__(self, *args, **kwds):
self.name = 'vetube-%s'.format(wx.GetUserId())
self.instance = wx.SingleInstanceChecker(self.name)
if self.instance.IsAnotherRunning():
wx.MessageBox(_('VeTube ya se encuentra en ejecución. Cierra la otra instancia antes de iniciar esta.'), 'Error', wx.ICON_ERROR)
return False
# configurar TTS:
if config['sistemaTTS'] == "piper":
configurar_piper(carpeta_voces)
if config['donations']: update.donation()
self.dentro=False
self.dst =""
self.nueva_combinacion=""
self.divisa="Por defecto"
leerTeclas()
kwds["style"] = kwds.get("style", 0) | wx.DEFAULT_FRAME_STYLE
wx.Frame.__init__(self, *args, **kwds)
if config['updates']: updater.do_update()
self.SetSize((800, 600))
self.SetTitle("VeTube")
self.SetWindowStyle(wx.RESIZE_BORDER | wx.CAPTION | wx.CLOSE_BOX | wx.CLIP_CHILDREN)
self.handler_keyboard = WXKeyboardHandler(self)
self.Bind(wx.EVT_CLOSE, self.cerrarVentana)
self.panel_1 = wx.Panel(self, wx.ID_ANY)
self.panel_1.Bind(wx.EVT_CHAR_HOOK, self.OnCharHook)
self.sizer_1 = wx.BoxSizer(wx.VERTICAL)
self.menu_1 = wx.Button(self.panel_1, wx.ID_ANY, _("&Más opciones"))
self.menu_1.Bind(wx.EVT_BUTTON, self.opcionesMenu)
self.sizer_1.Add(self.menu_1, 0, wx.EXPAND, 0)
# aplicar la accesibilidad
self.menu_1.SetAccessible(Accesible(self.menu_1))
self.notebook_1 = wx.Notebook(self.panel_1, wx.ID_ANY)
self.sizer_1.Add(self.notebook_1, 1, wx.EXPAND, 0)
self.tap_1 = wx.Panel(self.notebook_1, wx.ID_ANY)
self.notebook_1.AddPage(self.tap_1, _("Inicio"))
sizer_2 = wx.BoxSizer(wx.VERTICAL)
self.tap_2 = wx.Panel(self.notebook_1, wx.ID_ANY)
self.notebook_1.AddPage(self.tap_2, _("Favoritos"))
sizer_favoritos = wx.BoxSizer(wx.VERTICAL)
self.label_1 = wx.StaticText(self.tap_1, wx.ID_ANY, _("Escriba o pegue una URL de youtube"), style=wx.ALIGN_CENTER_HORIZONTAL)
sizer_2.Add(self.label_1, 0, 0, 0)
self.text_ctrl_1 = wx.TextCtrl(self.tap_1, wx.ID_ANY, "", style=wx.TE_AUTO_URL | wx.TE_CENTRE | wx.TE_PROCESS_ENTER)
self.text_ctrl_1.Bind(wx.EVT_TEXT, self.mostrarBoton)
self.text_ctrl_1.Bind(wx.EVT_TEXT_ENTER, self.acceder)
self.text_ctrl_1.SetFocus()
sizer_2.Add(self.text_ctrl_1, 0, wx.ALIGN_CENTER_HORIZONTAL, 0)
self.button_1 = wx.Button(self.tap_1, wx.ID_ANY, _("&Acceder"))
self.button_1.Bind(wx.EVT_BUTTON, self.acceder)
self.button_1.Disable()
sizer_2.Add(self.button_1, 0, 0, 0)
self.button_2 = wx.Button(self.tap_1, wx.ID_ANY, _("&Borrar"))
self.button_2.Bind(wx.EVT_BUTTON, self.borrarContenido)
self.button_2.Disable()
sizer_2.Add(self.button_2, 0, 0, 0)
self.button_playroom = wx.Button(self.tap_1, wx.ID_ANY, _("capturar chat de la &Sala de Juegos"))
self.button_playroom.Bind(wx.EVT_BUTTON, lambda event: self.acceder(url="sala"))
sizer_2.Add(self.button_playroom, 0, 0, 0)
self.tap_1.SetSizer(sizer_2)
label_favoritos = wx.StaticText(self.tap_2, wx.ID_ANY, _("&Tus favoritos: "))
sizer_favoritos.Add(label_favoritos)
self.list_favorite = wx.ListBox(self.tap_2, wx.ID_ANY, choices=favs)
self.list_favorite.Bind(wx.EVT_KEY_UP, self.favoritoTeclas)
# optener la cantidad de elementos
self.favoritos_num = self.list_favorite.GetCount()
# Meter la cantidad de favoritos en la segunda pestaña
self.notebook_1.SetPageText(1, _("Favoritos (%s)") % self.favoritos_num)
sizer_favoritos.Add(self.list_favorite)
if not favs or self.list_favorite.GetCount() == 0: self.list_favorite.Append(_("Tus favoritos aparecerán aquí"), 0)
self.button_borrar_favoritos = wx.Button(self.tap_2, wx.ID_ANY, _("&Borrar favorito"))
self.button_borrar_favoritos.Bind(wx.EVT_BUTTON, self.borrarFavorito)
sizer_favoritos.Add(self.button_borrar_favoritos,0,0,0)
# poner una casilla de verificación para borrar todos los favoritos
self.borrar_todos_favs = wx.CheckBox(self.tap_2, wx.ID_ANY, _("&Seleccionar todos los elementos"))
self.borrar_todos_favs.Bind(wx.EVT_CHECKBOX, self.borrarTodosFavoritos)
sizer_favoritos.Add(self.borrar_todos_favs,0,0,0)
self.tap_2.SetSizer(sizer_favoritos)
self.tap_3 = wx.Panel(self.notebook_1, wx.ID_ANY)
self.notebook_1.AddPage(self.tap_3, _("mensajes archivados"))
sizer_mensajes = wx.BoxSizer(wx.VERTICAL)
label_mensajes = wx.StaticText(self.tap_3, wx.ID_ANY, _("&Mensajes archivados: "))
self.list_mensajes = wx.ListBox(self.tap_3, wx.ID_ANY,choices=msjs)
# poner un item cuando la lista esté vacía
if not self.list_mensajes.GetCount(): self.list_mensajes.Append("Tus mensajes archivados aparecerán aquí", 0)
sizer_mensajes.Add(label_mensajes)
sizer_mensajes.Add(self.list_mensajes)
self.button_borrar_mensajes = wx.Button(self.tap_3, wx.ID_ANY, _("&Borrar mensaje"))
self.button_borrar_mensajes.Bind(wx.EVT_BUTTON, self.borraRecuerdo)
sizer_mensajes.Add(self.button_borrar_mensajes,0,0,0)
# crear una casilla para elegir si se quieren seleccionar todos los elementos para borrarlos
self.check_borrar_todos = wx.CheckBox(self.tap_3, wx.ID_ANY, _("&Seleccionar todos los elementos"))
self.check_borrar_todos.Bind(wx.EVT_CHECKBOX, self.seleccionarTodos)
sizer_mensajes.Add(self.check_borrar_todos,0,0,0)
self.tap_3.SetSizer(sizer_mensajes)
self.panel_1.SetSizer(self.sizer_1)
self.sizer_1.Layout()
self.SetClientSize(self.sizer_1.CalcMin())
self.Centre()
self.Show()
# Evento que hace aparecer las opciones del menú
def opcionesMenu(self, event):
menu1 = wx.Menu()
opciones = wx.Menu()
ayuda = wx.Menu()
menu1.AppendSubMenu(opciones, _(u"&Opciones"))
opcion_1 = opciones.Append(wx.ID_ANY, _("Configuración"))
self.Bind(wx.EVT_MENU, self.appConfiguracion, opcion_1)
opcion_3 = opciones.Append(wx.ID_ANY, _("Restablecer los ajustes"))
self.Bind(wx.EVT_MENU, self.restaurar, opcion_3)
menu1.AppendSubMenu(ayuda, _("&Ayuda"))
manual = ayuda.Append(wx.ID_ANY, _("¿Cómo usar vetube? (documentación en línea)"))
self.Bind(wx.EVT_MENU, lambda event: wx.LaunchDefaultBrowser('https://github.com/metalalchemist/VeTube/tree/master/doc/'+languageHandler.curLang[:2]+'/readme.md'), manual)
apoyo = ayuda.Append(wx.ID_ANY, _("Únete a nuestra &causa"))
self.Bind(wx.EVT_MENU, lambda event: wx.LaunchDefaultBrowser('https://www.paypal.com/donate/?hosted_button_id=5ZV23UDDJ4C5U'), apoyo)
itemPageMain = ayuda.Append(wx.ID_ANY, _("&Visita nuestra página de github"))
self.Bind(wx.EVT_MENU, lambda event: wx.LaunchDefaultBrowser('https://github.com/metalalchemist/VeTube'), itemPageMain)
actualizador = ayuda.Append(wx.ID_ANY, _("&buscar actualizaciones"))
self.Bind(wx.EVT_MENU, self.updater, actualizador)
acercade = menu1.Append(wx.ID_ANY, _("Acerca de"))
self.Bind(wx.EVT_MENU, self.infoApp, acercade)
salir = menu1.Append(wx.ID_EXIT, _("&Salir...\tAlt+F4"))
self.Bind(wx.EVT_MENU, self.cerrarVentana, salir)
self.PopupMenu(menu1, self.menu_1.GetPosition())
menu1.Destroy
# Evento para acer aparecer el menú con la tecla alt
def OnCharHook(self, event):
code = event.GetKeyCode()
# alt mas m
if code == 77 and event.AltDown(): self.opcionesMenu(event)
elif wx.GetKeyState(wx.WXK_F1): wx.LaunchDefaultBrowser('https://github.com/metalalchemist/VeTube/tree/master/doc/'+languageHandler.curLang[:2]+'/readme.md')
else: event.Skip()
def createEditor(self,event=None):
global mis_teclas
try: mis_teclas=eval(mis_teclas)
except: pass
self.dlg_teclado = wx.Dialog(None, wx.ID_ANY, _("Editor de combinaciones de teclado para Vetube"))
sizer = wx.BoxSizer(wx.VERTICAL)
label_editor = wx.StaticText(self.dlg_teclado, wx.ID_ANY, _("&Selecciona la combinación de teclado a editar"))
self.combinaciones= wx.ListCtrl(self.dlg_teclado, wx.ID_ANY, style=wx.LC_REPORT)
self.combinaciones.InsertColumn(0, _("acción: "))
self.combinaciones.InsertColumn(1, _("combinación de teclas: "))
for i in range(len(mensaje_teclas)): self.combinaciones.InsertItem(i, mensaje_teclas[i])
c=0
for valor in mis_teclas:
self.combinaciones.SetItem(c, 1, valor)
c+=1
self.combinaciones.Bind(wx.EVT_LIST_ITEM_ACTIVATED, self.editarTeclas)
self.combinaciones.Focus(0)
self.combinaciones.SetFocus()
editar= wx.Button(self.dlg_teclado, -1, _(u"&Editar"))
editar.Bind(wx.EVT_BUTTON, self.editarTeclas)
editar.SetDefault()
restaurar=wx.Button(self.dlg_teclado, -1, _(u"&restaurar combinaciones por defecto"))
restaurar.Bind(wx.EVT_BUTTON, self.restaurarTeclas)
close = wx.Button(self.dlg_teclado, wx.ID_CANCEL, _(u"&Cerrar"))
firstSizer = wx.BoxSizer(wx.HORIZONTAL)
firstSizer.Add(label_editor, 0, wx.ALL, 5)
firstSizer.Add(self.combinaciones, 0, wx.ALL, 5)
secondSizer = wx.BoxSizer(wx.HORIZONTAL)
secondSizer.Add(editar, 0, wx.ALL, 5)
secondSizer.Add(restaurar, 0, wx.ALL, 5)
secondSizer.Add(close, 0, wx.ALL, 5)
sizer.Add(firstSizer, 0, wx.ALL, 5)
sizer.Add(secondSizer, 0, wx.ALL, 5)
self.dlg_teclado.SetSizerAndFit(sizer)
self.dlg_teclado.Centre()
self.dlg_teclado.ShowModal()
self.dlg_teclado.Destroy()
wx.CallLater(100,self.comprobar)
def comprobar(self):
if bool(self.dlg_teclado): self.dlg_teclado.Destroy()
def editarTeclas(self, event):
indice=self.combinaciones.GetFocusedItem()
if not self.nueva_combinacion: self.texto=self.combinaciones.GetItem(indice,1).GetText()
self.dlg_editar_combinacion = wx.Dialog(self.dlg_teclado, wx.ID_ANY, _("Editando la combinación de teclas para %s") % mensaje_teclas[indice])
sizer = wx.BoxSizer(wx.VERTICAL)
firstSizer = wx.BoxSizer(wx.HORIZONTAL)
sizer_check = wx.BoxSizer(wx.HORIZONTAL)
# el sizer para los botones
sizer_buttons = wx.BoxSizer(wx.HORIZONTAL)
groupbox = wx.StaticBox(self.dlg_editar_combinacion, wx.ID_ANY, _("Selecciona las teclas que quieres usar"))
# el sizer para el agrupamiento
sizer_groupbox = wx.StaticBoxSizer(groupbox, wx.VERTICAL)
self.check_ctrl = wx.CheckBox(self.dlg_editar_combinacion, wx.ID_ANY, _("&Control"))
if 'control' in self.texto: self.check_ctrl.SetValue(True)
self.check_alt = wx.CheckBox(self.dlg_editar_combinacion, wx.ID_ANY, _("&Alt"))
if 'alt' in self.texto: self.check_alt.SetValue(True)
self.check_shift = wx.CheckBox(self.dlg_editar_combinacion, wx.ID_ANY, _("&Shift"))
if 'shift' in self.texto: self.check_shift.SetValue(True)
self.check_win = wx.CheckBox(self.dlg_editar_combinacion, wx.ID_ANY, _("&Windows"))
if 'win' in self.texto: self.check_win.SetValue(True)
self.teclas = ["return", "tab", "space", "back", "delete", "home", "end", "pageup", "pagedown", "up", "down", "left", "right", "f1", "f2", "f3", "f4", "f5", "f6", "f7", "f8", "f9", "f10", "f11", "f12", "0", "1", "2", "3", "4", "5", "6", "7", "8", "9", "a", "b", "c", "d", "e", "f", "g", "h", "i", "j", "k", "l", "m", "n", "o", "p", "q", "r", "s", "t", "u", "v", "w", "x", "y", "z"]
label_tecla = wx.StaticText(self.dlg_editar_combinacion, wx.ID_ANY, _("&Selecciona una tecla para la combinación"))
self.combo_tecla = wx.ComboBox(self.dlg_editar_combinacion, wx.ID_ANY, choices=self.teclas, style=wx.CB_DROPDOWN|wx.CB_READONLY)
texto=self.texto.split('+')
self.combo_tecla.SetValue(texto[-1])
self.editar= wx.Button(self.dlg_editar_combinacion, -1, _(u"&Aplicar nueva combinación de teclado"))
self.editar.Bind(wx.EVT_BUTTON, self.editarTeclas2)
self.editar.SetDefault()
close = wx.Button(self.dlg_editar_combinacion, wx.ID_CANCEL, _(u"&Cerrar"))
close.Bind(wx.EVT_BUTTON,self.berifica)
sizer_check.Add(self.check_ctrl, 0, wx.ALL, 5)
sizer_check.Add(self.check_alt, 0, wx.ALL, 5)
sizer_check.Add(self.check_shift, 0, wx.ALL, 5)
sizer_check.Add(self.check_win, 0, wx.ALL, 5)
sizer_groupbox.Add(sizer_check, 0, wx.ALL, 5)
sizer.Add(sizer_groupbox, 0, wx.ALL, 5)
firstSizer.Add(label_tecla, 0, wx.ALL, 5)
firstSizer.Add(self.combo_tecla, 0, wx.ALL, 5)
sizer_buttons.Add(self.editar, 0, wx.ALL, 5)
sizer_buttons.Add(close, 0, wx.ALL, 5)
sizer.Add(firstSizer, 0, wx.ALL, 5)
sizer.Add(sizer_buttons, 0, wx.ALL, 5)
self.dlg_editar_combinacion.SetSizerAndFit(sizer)
self.dlg_editar_combinacion.Centre()
self.dlg_editar_combinacion.ShowModal()
self.dlg_editar_combinacion.Destroy()
def editarTeclas2(self, event):
indice=self.combinaciones.GetFocusedItem()
texto=self.combinaciones.GetItem(indice,1).GetText()
tecla=self.combo_tecla.GetValue()
ctrl=self.check_ctrl.GetValue()
alt=self.check_alt.GetValue()
shift=self.check_shift.GetValue()
win=self.check_win.GetValue()
self.nueva_combinacion=tecla
if shift: self.nueva_combinacion="shift+"+self.nueva_combinacion
if alt: self.nueva_combinacion="alt+"+self.nueva_combinacion
if ctrl: self.nueva_combinacion="control+"+self.nueva_combinacion
if win: self.nueva_combinacion="win+"+self.nueva_combinacion
if not ctrl and not alt and not win and not shift:
wx.MessageBox(_("Debe escoger al menos una tecla de las casillas de berificación"), "error.", wx.ICON_ERROR)
return
for busc in range(self.combinaciones.GetItemCount()):
if busc== indice: continue
if self.nueva_combinacion == self.combinaciones.GetItem(busc,1).GetText():
wx.MessageBox(_("esta combinación ya está siendo usada en la función %s") % mensaje_teclas[busc], "error.", wx.ICON_ERROR)
return
if self.texto in self.handler_keyboard.active_keys: self.handler_keyboard.unregister_key(self.combinaciones.GetItem(indice,1).GetText(),mis_teclas[self.combinaciones.GetItem(indice,1).GetText()])
self.handler_keyboard.register_key(self.nueva_combinacion,mis_teclas[self.combinaciones.GetItem(indice,1).GetText()])
self.dlg_editar_combinacion.Destroy()
wx.CallAfter(self.correccion)
def correccion(self):
global mis_teclas
if self.nueva_combinacion not in self.handler_keyboard.active_keys:
wx.MessageBox(_("esa combinación está siendo usada por el sistema"), "error.", wx.ICON_ERROR)
self.handler_keyboard.register_key(self.texto,mis_teclas[self.combinaciones.GetItem(self.combinaciones.GetFocusedItem(),1).GetText()])
else:
self.texto=self.nueva_combinacion
self.nueva_combinacion=""
leerTeclas()
mis_teclas=mis_teclas.replace(self.combinaciones.GetItem(self.combinaciones.GetFocusedItem(),1).GetText(),self.texto)
with open("keys.txt", "w") as fichero: fichero.write(mis_teclas)
mis_teclas=eval(mis_teclas)
self.combinaciones.SetItem(self.combinaciones.GetFocusedItem(), 1, self.texto)
self.combinaciones.SetFocus()
def berifica(self, event):
self.nueva_combinacion=""
self.dlg_editar_combinacion.Destroy()
def restaurarTeclas(self,event):
dlg_2 = wx.MessageDialog(self.dlg_teclado, _("Está apunto de restaurar las combinaciones a sus valores por defecto, ¿desea proceder? Esta acción no se puede desacer."), _("Atención:"), wx.YES_NO | wx.ICON_ASTERISK)
if dlg_2.ShowModal()==wx.ID_YES:
remove("keys.txt")
leerTeclas()
global mis_teclas
mis_teclas=eval(mis_teclas)
c=0
for valor in mis_teclas:
self.combinaciones.SetItem(c, 1, valor)
c+=1
self.combinaciones.Focus(0)
self.combinaciones.SetFocus()
self.handler_keyboard.unregister_all_keys()
self.handler_keyboard.register_keys(mis_teclas)
def appConfiguracion(self, event):
self.cf=ajustes.configuracionDialog(self)
if self.cf.ShowModal()==wx.ID_OK: self.guardar()
def infoApp(self, event): wx.MessageBox(_("Creadores del proyecto:")+"\nCésar Verástegui & Johan G.\n"+_("Descripción:\n Lee en voz alta los mensajes de los directos en youtube y twitch, ajusta tus preferencias como quieras y disfruta más tus canales favoritos."), _("Información"), wx.ICON_INFORMATION)
def acceder(self, event=None,url=""):
if not url: url=self.text_ctrl_1.GetValue()
if url:
if 'yout' in url:
if 'studio' in url:
url=url.replace('https://studio.youtube.com/video/','https://www.youtube.com/watch?v=')
url=url.replace('/livestreaming','/')
if 'live' in url: url=url.replace('live/','watch?v=')
try:
if 'yout' in url: self.chat=ChatDownloader().get_chat(url,message_groups=["messages", "superchat"],interruptible_retry=False)
elif 'twitch' in url: self.chat=ChatDownloader().get_chat(url,message_groups=["messages", "bits","subscriptions","upgrades"])
elif 'tiktok' in url: self.chat=TikTokLiveClient(unique_id=funciones.extractUser(url))
elif url=="sala": self.chat = PlayroomHelper()
else:
wx.MessageBox(_("¡Parece que el enlace al cual está intentando acceder no es un enlace válido."), "error.", wx.ICON_ERROR)
return
self.text_ctrl_1.SetValue(url)
self.dentro=True
self.usuarios = []
self.mensajes = []
self.dialog_mensaje = wx.Dialog(self, wx.ID_ANY, _("Chat en vivo"))
sizer_mensaje_1 = wx.BoxSizer(wx.VERTICAL)
self.label_dialog = wx.StaticText(self.dialog_mensaje, wx.ID_ANY, _("Lectura del chat en vivo..."))
sizer_mensaje_1.Add(self.label_dialog, 0, 0, 0)
sizer_mensaje_2 = wx.StdDialogButtonSizer()
sizer_mensaje_1.Add(sizer_mensaje_2, 0, wx.ALIGN_RIGHT | wx.ALL, 4)
self.label_mensaje = wx.StaticText(self.dialog_mensaje, wx.ID_ANY, _("historial de mensajes: "))
sizer_mensaje_2.Add(self.label_mensaje, 20, wx.ALIGN_CENTER_VERTICAL | wx.ALL, 0)
self.list_box_1 = wx.ListBox(self.dialog_mensaje, wx.ID_ANY, choices=[])
self.list_box_1.SetFocus()
self.list_box_1.Bind(wx.EVT_KEY_UP, self.historialItemsTeclas)
# poner un menú contextual
self.list_box_1.Bind(wx.EVT_CONTEXT_MENU, self.historialItemsMenu)
sizer_mensaje_1.Add(self.list_box_1, 1, wx.EXPAND | wx.ALL, 4)
self.boton_opciones = wx.Button(self.dialog_mensaje, wx.ID_ANY, _("&Opciones"))
self.boton_opciones.Bind(wx.EVT_BUTTON, self.opcionesChat)
self.boton_opciones.SetAccessible(Accesible(self.boton_opciones))
sizer_mensaje_1.Add(self.boton_opciones, 0, wx.ALIGN_RIGHT | wx.ALL, 4)
button_mensaje_detener = wx.Button(self.dialog_mensaje, wx.ID_ANY, _("&Detener chat"))
button_mensaje_detener.Bind(wx.EVT_BUTTON,self.detenerLectura)
sizer_mensaje_2.Add(button_mensaje_detener, 10, wx.ALIGN_CENTER_VERTICAL | wx.ALL, 0)
sizer_mensaje_2.Realize()
self.dialog_mensaje.SetSizerAndFit(sizer_mensaje_1)
self.dialog_mensaje.Centre()
self.dialog_mensaje.SetEscapeId(button_mensaje_detener.GetId())
if not isinstance(self.chat,TikTokLiveClient):
leer.speak(_("Ingresando al chat."))
if config['sonidos'] and config['listasonidos'][6]: playsound(ajustes.rutasonidos[6],False)
else:
leer.speak(_("cargando..."))
self.megusta=self.seguidores=self.unidos=self.compartidas=0
self.gustados=[]
if url!="sala":
self.hilo2 = threading.Thread(target=self.iniciarChat)
self.hilo2.daemon = True
self.hilo2.start()
else:
self.handler_keyboard.register_keys(eval(mis_teclas))
self.hilo2 = Timer(0.5, self.recibir_sala)
self.hilo2.daemon = True
self.hilo2.start()
self.dialog_mensaje.ShowModal()
except Exception as e:
if url!="sala":
wx.MessageBox(_("¡Parece que el enlace al cual está intentando acceder no es un enlace válido."+str(e)), "error.", wx.ICON_ERROR)
self.text_ctrl_1.SetFocus()
else:
wx.MessageBox(_("No ha sido posible engancharse al proceso de la sala de juegos. Debe estar ejecutándose antes de empezar a capturar chats. Si tienes dudas, por favor ponte en contacto con nosotros. Código de error: ") +str(e), "error.", wx.ICON_ERROR)
self.button_playroom.SetFocus()
self.text_ctrl_1.SetValue("")
else:
wx.MessageBox(_("No se puede acceder porque el campo de texto está vacío, debe escribir algo."), "error.", wx.ICON_ERROR)
self.text_ctrl_1.SetFocus()
def historialItemsMenu(self, event):
menu = wx.Menu()
menu.Append(5, _("&Traducir"))
menu.Bind(wx.EVT_MENU, self.traducirMenu, id=5)
menu.Append(0, _("&Mostrar el mensaje en un cuadro de texto."))
menu.Bind(wx.EVT_MENU, lambda event: mostrarchat.showComment(self,self.list_box_1.GetString(self.list_box_1.GetSelection())).ShowModal(), id=0)
menu.Append(6, _("&Copiar mensaje al portapapeles"))
menu.Bind(wx.EVT_MENU, self.copiarMensaje,id=6)
menu.Append(11, _("&Listado de Urls."))
menu.Bind(wx.EVT_MENU, self.listaUrls,id=11)
menu.Append(7, _("&Archivar mensaje"))
menu.Bind(wx.EVT_MENU, self.addRecuerdo,id=7)
# if para comprobar si un elemento está seleccionado
if self.list_box_1.GetSelection() != -1: self.list_box_1.PopupMenu(menu)
else:
self.list_box_1.SetSelection(0)
self.list_box_1.PopupMenu(menu)
menu.Destroy()
def traducirMenu(self, event):
translator = TranslatorWrapper()
noti =wx.adv.NotificationMessage(_("Mensaje traducido"), _("el mensaje se ha traducido al idioma del programa y se a copiado en el portapapeles."))
noti.Show(timeout=10)
copy(translator.translate(self.list_box_1.GetString(self.list_box_1.GetSelection()),target=languageHandler.curLang[:2]))
def copiarMensaje(self, event):
noti =wx.adv.NotificationMessage(_("Mensaje copiado al portapapeles"), _("El mensaje seleccionado ha sido copiado al portapapeles."))
noti.Show(timeout=10)
copy(self.list_box_1.GetString(self.list_box_1.GetSelection()))
def opcionesChat(self, event):
menu = wx.Menu()
menu.Append(10, _("&Editor de combinaciones de teclado para VeTube"))
menu.Append(1, _("&Borrar historial de mensajes"))
menu.Append(2, _("E&xportar los mensajes en un archivo de texto"))
if not isinstance(self.chat, PlayroomHelper):
try:
if self.chat.status!="past":
if 'yout' in self.text_ctrl_1.GetValue() and '/live' in self.text_ctrl_1.GetValue() or 'twitch' in self.text_ctrl_1.GetValue() and not 'video' in self.text_ctrl_1.GetValue(): menu.Append(3, _("&Añadir este canal a favoritos"))
except: menu.Append(3, _("&Añadir este canal a favoritos")) #is a tiktok live.
menu.Bind(wx.EVT_MENU, self.addFavoritos, id=3)
menu.Append(4, _("&Ver estadísticas del chat"))
if not isinstance(self.chat, PlayroomHelper):
menu.Append(8, _("&Copiar enlace del chat al portapapeles"))
menu.Append(9, _("&Reproducir video en el navegador"))
menu.Bind(wx.EVT_MENU, self.copiarEnlace, id=8)
menu.Bind(wx.EVT_MENU, self.reproducirVideo, id=9)
menu.Bind(wx.EVT_MENU, self.createEditor, id=10)
menu.Bind(wx.EVT_MENU, self.borrarHistorial, id=1)
menu.Bind(wx.EVT_MENU, self.guardarLista, id=2)
menu.Bind(wx.EVT_MENU, self.estadisticas, id=4)
self.boton_opciones.PopupMenu(menu)
menu.Destroy()
def copiarEnlace(self, event):
noti = wx.adv.NotificationMessage(_("Enlace copiado al portapapeles"), _("El enlace del chat ha sido copiado al portapapeles."))
noti.Show(timeout=5)
if not self.dentro: url=favorite[self.list_favorite.GetSelection()]['url']
else: url=self.text_ctrl_1.GetValue()
copy(url)
def reproducirVideo(self, event):
if not self.dentro: url=favorite[self.list_favorite.GetSelection()]['url']
else: url=self.text_ctrl_1.GetValue()
wx.LaunchDefaultBrowser(url)
def estadisticas(self, event):
for k in range(len(self.mensajes)-1):
for x in range(len(self.mensajes)-1-k):
if self.mensajes[x]<self.mensajes[x+1]:
aux1=self.mensajes[x]
self.mensajes[x]=self.mensajes[x+1]
self.mensajes[x+1]=aux1
aux2=self.usuarios[x]
self.usuarios[x]=self.usuarios[x+1]
self.usuarios[x+1]=aux2
self.dlg_estadisticas = wx.Dialog(self.dialog_mensaje, wx.ID_ANY, _("Estadísticas del chat:"))
sizer_estadisticas = wx.BoxSizer(wx.VERTICAL)
label_estadisticas = wx.StaticText(self.dlg_estadisticas, wx.ID_ANY, _("&Usuarios y mensajes:"))
sizer_estadisticas.Add(label_estadisticas, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALL, 4)
self.mayor_menor = wx.ListCtrl(self.dlg_estadisticas, wx.ID_ANY, style=wx.LC_REPORT)
self.mayor_menor.InsertColumn(0, _("Usuario: "))
self.mayor_menor.InsertColumn(1, _("Cantidad de mensajes: "))
for i in range(len(self.mensajes)):
self.mayor_menor.InsertItem(i, self.usuarios[i])
self.mayor_menor.SetItem(i, 1, str(self.mensajes[i]))
sizer_estadisticas.Add(self.mayor_menor, 1, wx.EXPAND | wx.ALL, 4)
label_total = wx.StaticText(self.dlg_estadisticas, wx.ID_ANY, _("&Estadísticas totales:"))
sizer_estadisticas.Add(label_total, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALL, 4)
self.text_ctrl_estadisticas = wx.TextCtrl(self.dlg_estadisticas, wx.ID_ANY, style=wx.TE_MULTILINE | wx.TE_READONLY)
self.text_ctrl_estadisticas.SetValue(_("Total de usuarios: %s\nTotal de mensajes: %s") % (len(self.usuarios), sum(self.mensajes)))
if isinstance(self.chat,TikTokLiveClient): self.text_ctrl_estadisticas.SetValue(self.text_ctrl_estadisticas.GetValue()+_('\ntotal de megusta del en vivo: ')+str(self.megusta)+_('\ntotal de usuarios que compartieron el en vivo: ')+str(self.compartidas)+_('\nnuevos usuarios que siguen al moderador del en vivo: ')+str(self.seguidores)+_('\nnuevos usuarios que se unieron al en vivo: ')+str(self.unidos))
sizer_estadisticas.Add(self.text_ctrl_estadisticas, 1, wx.EXPAND | wx.ALL, 4)
button_estadisticas_descargar = wx.Button(self.dlg_estadisticas, wx.ID_ANY, _("&Guardar las estadísticas en un archivo de texto"))
button_estadisticas_descargar.Bind(wx.EVT_BUTTON, self.descargarEstadisticas)
sizer_estadisticas.Add(button_estadisticas_descargar, 0, wx.ALIGN_RIGHT | wx.ALL, 4)
button_estadisticas_cerrar = wx.Button(self.dlg_estadisticas, wx.ID_CANCEL, _("&Cerrar"))
self.dlg_estadisticas.SetSizerAndFit(sizer_estadisticas)
self.dlg_estadisticas.Centre()
self.dlg_estadisticas.ShowModal()
self.dlg_estadisticas.Destroy()
def descargarEstadisticas(self, event):
dlg_file = wx.FileDialog(self.dlg_estadisticas, _("Guardar archivo de texto"), "", _("estadísticas %s %s.txt") % (time.strftime("%d-%m-%Y"),self.chat.unique_id) if isinstance(self.chat,TikTokLiveClient) else _("estadísticas %s.txt") %time.strftime("%d-%m-%Y") if isinstance(self.chat, PlayroomHelper) else _("estadísticas %s %s.txt") % (time.strftime("%d-%m-%Y"),self.chat.title), _("Archivos de texto (*.txt)|*.txt"), wx.FD_SAVE | wx.FD_OVERWRITE_PROMPT)
if dlg_file.ShowModal() == wx.ID_OK:
nombre_archivo = dlg_file.GetFilename()
directorio = dlg_file.GetDirectory()
with open(path.join(directorio, nombre_archivo), "w",encoding='utf-8') as archivo:
archivo.write("\n"+_("Estadísticas del canal: %s") %self.chat.unique_id if isinstance(self.chat,TikTokLiveClient) else _("estadísticas de la sala de juegos") if isinstance(self.chat, PlayroomHelper) else _("Estadísticas del canal: %s") %self.chat.title)
archivo.write("\n"+self.text_ctrl_estadisticas.GetValue()+ "\n")
archivo.write(_("Usuarios y mensajes:")+ "\n")
for i in range(self.mayor_menor.GetItemCount()): archivo.write(self.mayor_menor.GetItemText(i, 0) + " " + self.mayor_menor.GetItemText(i, 1)+ "\n")
dlg_file.Destroy()
def borrarContenido(self, event):
self.text_ctrl_1.SetValue("")
self.text_ctrl_1.SetFocus()
def detenerLectura(self, event):
global yt,pos,lista
dlg_mensaje = wx.MessageDialog(self.dialog_mensaje, _("¿Desea salir de esta ventana y detener la lectura de los mensajes?"), _("Atención:"), wx.YES_NO | wx.ICON_ASTERISK)
if dlg_mensaje.ShowModal() == wx.ID_YES:
self.dentro=False
self.usuarios=self.mensajes=[]
if isinstance(self.chat, TikTokLiveClient):
self.chat.stop()
self.gustados=[]
self.megusta=self.unidos=self.seguidores=self.compartidas=0
yt=0
pos=lista=[]
lista=retornarCategorias()
for temporal in lista: pos.append(1)
leer.silence()
leer.speak(_("ha finalizado la lectura del chat."))
self.dst =""
self.text_ctrl_1.SetValue("")
self.dialog_mensaje.Destroy()
self.text_ctrl_1.SetFocus()
self.handler_keyboard.unregister_all_keys()
def guardarLista(self, event):
if self.list_box_1.GetCount()>0:
dlg_mensaje = wx.FileDialog(self.dialog_mensaje, _("Guardar lista de mensajes"), "", self.chat.unique_id if isinstance(self.chat,TikTokLiveClient) else "" if isinstance(self.chat, PlayroomHelper) else self.chat.title, "*.txt", wx.FD_SAVE | wx.FD_OVERWRITE_PROMPT)
if dlg_mensaje.ShowModal() == wx.ID_OK:
with open(dlg_mensaje.GetPath(), "w",encoding='utf-8') as archivo:
for escribe in range(self.list_box_1.GetCount()): archivo.write(self.list_box_1.GetString(escribe)+ "\n")
wx.MessageBox(_("Lista de mensajes guardada correctamente."), "info.", wx.ICON_INFORMATION)
dlg_mensaje.Destroy()
else: wx.MessageBox(_("No hay mensajes para guardar."), "info.", wx.ICON_INFORMATION)
def guardar(self):
global lista,config,leer
rest=False
translator = TranslatorWrapper()
config=ajustes.config
config['categorias']=[]
config['listasonidos']=[]
config['eventos']=[]
config['unread']=[]
for contador in range(self.cf.categoriza.GetItemCount()):
if self.cf.categoriza.IsItemChecked(contador): config['categorias'].append(True)
else: config['categorias'].append(False)
for contador in range(self.cf.soniditos.GetItemCount()):
if self.cf.soniditos.IsItemChecked(contador): config['listasonidos'].append(True)
else: config['listasonidos'].append(False)
for contador in range(self.cf.eventos.GetItemCount()):
if self.cf.eventos.IsItemChecked(contador): config['eventos'].append(True)
else: config['eventos'].append(False)
if self.cf.unread.IsItemChecked(contador): config['unread'].append(True)
else: config['unread'].append(False)
lista=retornarCategorias()
if config['idioma']!=codes[self.cf.choice_language.GetSelection()]:
config['idioma']=codes[self.cf.choice_language.GetSelection()]
rest=True
with open('data.json', 'w+') as file: json.dump(config, file)
if rest:
dlg = wx.MessageDialog(None, _("Es necesario reiniciar el programa para aplicar el nuevo idioma. ¿desea reiniciarlo ahora?"), _("¡Atención!"), wx.YES_NO | wx.ICON_ASTERISK)
if dlg.ShowModal()==wx.ID_YES: restart.restart_program()
else: dlg.Destroy()
# verificar voces:
if config['sistemaTTS'] == "piper": configurar_piper(carpeta_voces)
leer=ajustes.prueba
if self.cf.choice_traducir.GetStringSelection()!="":
for k in translator.LANGUAGES:
if translator.LANGUAGES[k] == self.cf.choice_traducir.GetStringSelection():
self.dst = k
break
if self.cf.choice_moneditas.GetStringSelection()!='Por defecto':
monedita=self.cf.choice_moneditas.GetStringSelection().split(', (')
for k in google_currency.CODES:
if google_currency.CODES[k] == monedita[0]:
self.divisa = k
break
def borrarHistorial(self,event):
dlg_2 = wx.MessageDialog(self.dialog_mensaje, _("Está apunto de eliminar del historial aproximadamente ")+str(self.list_box_1.GetCount())+_(" elementos, ¿desea proceder? Esta acción no se puede desacer."), _("Atención:"), wx.YES_NO | wx.ICON_ASTERISK)
dlg_2.SetYesNoLabels(_("&Eliminar"), _("&Cancelar"))
if self.list_box_1.GetCount() <= 0: wx.MessageBox(_("No hay elementos que borrar"), "Error", wx.ICON_ERROR)
elif dlg_2.ShowModal()==wx.ID_YES:
self.list_box_1.Clear()
self.list_box_1.SetFocus()
def restaurar(self, event):
self.dlg_3 = wx.MessageDialog(self, _("Estás apunto de reiniciar la configuración a sus valores predeterminados, ¿Deseas proceder?"), _("Atención:"), wx.YES_NO | wx.ICON_ASTERISK)
if self.dlg_3.ShowModal()==wx.ID_YES:
fajustes.escribirConfiguracion()
restart.restart_program()
def mostrarBoton(self, event):
if self.text_ctrl_1.GetValue() != "":
self.button_1.Enable()
self.button_2.Enable()
else:
self.button_1.Disable()
self.button_2.Disable()
def historialItemsTeclas(self, event):
event.Skip()
if event.GetKeyCode() == 32:
leer.silence()
leer.speak(self.list_box_1.GetString(self.list_box_1.GetSelection()))
def recibir_sala(self):
global lista
translator = TranslatorWrapper()
self.chat.get_new_messages()
for message in self.chat.new_messages:
if message['message']==None: message['message']=''
if self.dst: message['message'] = translator.translate(text=message['message'], target=self.dst)
self.agregarUsuario(message['author'])
if self.dentro:
if config['categorias'][0]:
for contador in range(len(lista)):
if lista[contador][0]=='Mensajes':
if message['type'] == 'public':
lista[contador].append(message['author'] +': ' +message['message'])
break
if message['type'] == 'private':
lista[contador].append(_('privado de ') + message['author'] +': ' +message['message'])
break
if lista[yt][0]=='General' or lista[yt][0]=='Mensajes':
# I hate this code but the code is messy anyway so let's just add one more spagheti in the pile
if (message['type'] == 'private'):
if config['reader']:
if config['sapi']: leer.speak(_('privado de ') + message['author'] +': ' +message['message'])
else: lector.speak(_('privado de ') + message['author'] +': ' +message['message'])
else: # Not fucking private
if config['reader']:
if config['sapi']: leer.speak(message['author'] +': ' +message['message'])
else: lector.speak(message['author'] +': ' +message['message'])
if config['sonidos'] and config['listasonidos'][0]: playsound(ajustes.rutasonidos[0],False)
if (message['type'] == 'private'):
self.list_box_1.Append(_('privado de ') + message['author'] +': ' +message['message'])
else:
self.list_box_1.Append(message['author'] +': ' +message['message'])
else:
exit()
self.hilo2.join()
def iniciarChat(self):
if not isinstance(self.chat, TikTokLiveClient): self.label_dialog.SetLabel(self.chat.title)
self.handler_keyboard.register_keys(eval(mis_teclas))
if 'yout' in self.text_ctrl_1.GetValue(): self.recibirYT()
elif 'twitch' in self.text_ctrl_1.GetValue(): self.recibirTwich()
elif 'tiktok' in self.text_ctrl_1.GetValue(): self.recibirTiktok()
def elementoAnterior(self):
global pos
if lista[yt][0]=='General':
if self.list_box_1.GetSelection() == wx.NOT_FOUND and self.list_box_1.GetCount()>0: self.list_box_1.SetSelection(0)
if self.list_box_1.GetSelection() >0: self.list_box_1.SetSelection(self.list_box_1.GetSelection()-1)
else:
if pos[yt]>1: pos[yt]-=1
lector.speak(self.retornarMensaje)
if config['sonidos']: self.reproducirMsg()
def elementoSiguiente(self):
global pos
if lista[yt][0]=='General':
if self.list_box_1.GetSelection() == wx.NOT_FOUND and self.list_box_1.GetCount()>0: self.list_box_1.SetSelection(0)
if self.list_box_1.GetSelection() <self.list_box_1.GetCount()-1: self.list_box_1.SetSelection(self.list_box_1.GetSelection()+1)
else:
if pos[yt]<len(lista[yt])-1: pos[yt]+=1
lector.speak(self.retornarMensaje)
if config['sonidos']: self.reproducirMsg()
def copiar(self):
if lista[yt][0]=='General':
if self.list_box_1.GetSelection() == wx.NOT_FOUND and self.list_box_1.GetCount()>0: self.list_box_1.SetSelection(0)
copy(self.retornarMensaje)
lector.speak(_("¡Copiado!"))
def elementoInicial(self):
global pos
if lista[yt][0]=='General':
if self.list_box_1.GetCount()>0: self.list_box_1.SetSelection(0)
else: pos[yt]=1
lector.speak(self.retornarMensaje)
if config['sonidos']: self.reproducirMsg()
def elementoFinal(self):
global pos
if lista[yt][0]=='General':
if self.list_box_1.GetCount()>0: self.list_box_1.SetSelection(self.list_box_1.GetCount()-1)
else: pos[yt]=len(lista[yt])-1
lector.speak(self.retornarMensaje)
if config['sonidos']: self.reproducirMsg()
def callar(self):
if config['reader']:
config['reader']=False
leer.silence()
else: config['reader']=True
lector.speak(_("Lectura automática activada.")if config['reader'] else _("Lectura automática desactivada."))
def cerrarVentana(self, event):
if config['salir']:
dialogo_cerrar = wx.MessageDialog(self, _("¿está seguro que desea salir del programa?"), _("¡atención!"), wx.YES_NO | wx.ICON_ASTERISK)
if dialogo_cerrar.ShowModal()==wx.ID_YES: wx.GetApp().ExitMainLoop()
else: wx.GetApp().ExitMainLoop()
@property
def retornarMensaje(self):
if lista[yt][0]=='General':
if self.list_box_1.GetCount() <= 0: return _("no hay elementos en el historial")
else: return self.list_box_1.GetString(self.list_box_1.GetSelection())
else:
if len(lista[yt]) <= 1: return _("no hay elementos en el historial")
else: return lista[yt][pos[yt]]
def mostrarMensaje(self): mostrarchat.showComment(self,self.retornarMensaje).ShowModal()
def reproducirMsg(self):
if lista[yt][0]=='General':
if self.list_box_1.GetSelection()==0 or self.list_box_1.GetSelection()==self.list_box_1.GetCount()-1: playsound("sounds/orilla.mp3",False)
else: playsound("sounds/msj.mp3",False)
else:
if pos[yt]<=1 or pos[yt]==len(lista[yt])-1: playsound("sounds/orilla.mp3",False)
else: playsound("sounds/msj.mp3",False)
def addFavoritos(self, event):
if self.list_favorite.GetStrings()==[_("Tus favoritos aparecerán aquí")]: self.list_favorite.Delete(0)
if len(favorite)<=0:
self.list_favorite.Append(funciones.extractUser(self.text_ctrl_1.GetValue())+': '+self.text_ctrl_1.GetValue())
favorite.append({'titulo': funciones.extractUser(self.text_ctrl_1.GetValue()), 'url': self.text_ctrl_1.GetValue()})
else:
if any(funciones.extractUser(self.text_ctrl_1.GetValue())+': '+self.text_ctrl_1.GetValue() == item for item in self.list_favorite.GetStrings()):
wx.MessageBox(_("Ya se encuentra en favoritos"), _("Aviso"), wx.OK | wx.ICON_INFORMATION)
return
else:
self.list_favorite.Append(funciones.extractUser(self.text_ctrl_1.GetValue())+': '+self.text_ctrl_1.GetValue())
favorite.append({'titulo': funciones.extractUser(self.text_ctrl_1.GetValue()), 'url': self.text_ctrl_1.GetValue()})
funciones.escribirJsonLista('favoritos.json',favorite)
wx.MessageBox(_("Se ha agregado a favoritos"), _("Aviso"), wx.OK | wx.ICON_INFORMATION)
def updater(self,event=None):
update = updater.do_update()
if update==False:
if self.GetTitle(): wx.MessageBox(_("Al parecer tienes la última versión del programa"), _("Información"), wx.ICON_INFORMATION)
def borrarFavorito(self, event=None):
if self.list_favorite.GetCount()<=0 or self.list_favorite.GetStrings()[0]==_("Tus favoritos aparecerán aquí"):
wx.MessageBox(_("No hay favoritos que borrar"), _("Error"), wx.ICON_ERROR)
self.list_favorite.SetFocus()
else:
if self.borrar_todos_favs.GetValue():
# preguntar
if wx.MessageBox(_("¿Estás seguro de borrar todos los favoritos de la lista?"), _("¡Atención!"), wx.YES_NO|wx.ICON_QUESTION)==wx.YES:
self.list_favorite.Clear()
favorite.clear()
remove('favoritos.json')
self.list_favorite.SetFocus()
else:
self.list_favorite.Delete(self.list_favorite.GetSelection())
favorite.pop(self.list_favorite.GetSelection())
funciones.escribirJsonLista('favoritos.json',favorite)
lector.speak(_("Se a borrado el elemento de favoritos"))
self.list_favorite.SetFocus()
if self.list_favorite.GetCount()<=0: self.list_favorite.Append(_("Tus favoritos aparecerán aquí"))
def favoritoTeclas(self,event):
event.Skip()
if event.GetKeyCode() == 32: self.acceder(url=favorite[self.list_favorite.GetSelection()]['url'])
def recibirYT(self):
global lista
translator = TranslatorWrapper()
for message in self.chat:
if not self.dentro:
exit()
self.hilo2.join()
if message['message']==None: message['message']=''
if self.dst: message['message'] = translator.translate(text=message['message'], target=self.dst)
self.agregarUsuario(message['author']['name'])
if 'header_secondary_text' in message and config['eventos'][1]:
for t in message['author']['badges']:
mensajito=message['author']['name']+ _(' se a conectado al chat. ')+t['title']
break
if config['categorias'][1]:
for contador in range(len(lista)):
if lista[contador][0]=='Miembros':
lista[contador].append(mensajito)
break
if config['reader'] and config['unread'][1]:
if lista[yt][0]=='Miembros' or lista[yt][0]=='General':
if config['sapi']: leer.speak(mensajito)
else: lector.speak(mensajito)
if config['sonidos'] and self.chat.status!="past" and config['listasonidos'][2]: playsound(ajustes.rutasonidos[2],False)
self.list_box_1.Append(mensajito)
continue
if 'badges' in message['author']:
for t in message['author']['badges']:
if 'Owner' in t['title']:
if config['categorias'][3]:
for contador in range(len(lista)):
if lista[contador][0]=='Moderadores':
lista[contador].append(message['author']['name'] +': ' +message['message'])
break
if lista[yt][0]=='Moderadores' or lista[yt][0]=='General':
if config['reader']:
if config['sapi']: leer.speak(message['author']['name'] +': ' +message['message'])
else: lector.speak(message['author']['name'] +': ' +message['message'])
if config['sonidos'] and self.chat.status!="past" and config['listasonidos'][4]: playsound(ajustes.rutasonidos[7],False)
self.list_box_1.Append(_('Propietario ')+message['author']['name'] +': ' +message['message'])
break
if 'Moderator' in t['title'] and config['eventos'][3]:
if config['categorias'][3]:
for contador in range(len(lista)):
if lista[contador][0]=='Moderadores':
lista[contador].append(message['author']['name'] +': ' +message['message'])
break
if config['reader'] and config['unread'][3]:
if lista[yt][0]=='Moderadores' or lista[yt][0]=='General':
if config['sapi']: leer.speak(message['author']['name'] +': ' +message['message'])
else: lector.speak(message['author']['name'] +': ' +message['message'])
if config['sonidos'] and self.chat.status!="past" and config['listasonidos'][4]: playsound(ajustes.rutasonidos[4],False)
self.list_box_1.Append(_('Moderador ')+message['author']['name'] +': ' +message['message'])
break
if 'member' in t['title'].lower() and config['eventos'][0]:
if config['categorias'][1]:
for contador in range(len(lista)):
if lista[contador][0]=='Miembros':
lista[contador].append(message['author']['name'] +': ' +message['message'])
break
if config['reader'] and config['unread'][0]:
if lista[yt][0]=='Miembros' or lista[yt][0]=='General':
if config['sapi']: leer.speak(message['author']['name'] +': ' +message['message'])
else: lector.speak(message['author']['name'] +': ' +message['message'])
if config['sonidos'] and self.chat.status!="past" and config['listasonidos'][1]: playsound(ajustes.rutasonidos[1],False)
self.list_box_1.Append(_('Miembro ')+message['author']['name'] +': ' +message['message'])
break
if 'Verified' in t['title'] and config['eventos'][4]:
if config['categorias'][4]:
for contador in range(len(lista)):
if lista[contador][0]=='Usuarios Verificados':
lista[contador].append(message['author']['name'] +': ' +message['message'])
break
if config['reader'] and config['unread'][4]:
if lista[yt][0]=='Usuarios Verificados' or lista[yt][0]=='General':
if config['sapi']: leer.speak(message['author']['name'] +': ' +message['message'])
else: lector.speak(message['author']['name'] +': ' +message['message'])
if config['sonidos'] and self.chat.status!="past" and config['listasonidos'][5]: playsound(ajustes.rutasonidos[5],False)
self.list_box_1.Append(message['author']['name'] +_(' (usuario verificado): ') +message['message'])
break
continue
if message['message_type']=='paid_message' or message['message_type']=='paid_sticker':
if config['eventos'][2]:
if self.divisa!="Por defecto" and self.divisa!=message['money']['currency']:
moneda=json.loads(google_currency.convert(message['money']['currency'],self.divisa,message['money']['amount']) )
if moneda['converted']:
message['money']['currency']=self.divisa
message['money']['amount']=moneda['amount']
if config['categorias'][2]:
for contador in range(len(lista)):
if lista[contador][0]=='Donativos':
lista[contador].append(str(message['money']['amount'])+message['money']['currency']+ ', '+message['author']['name'] +': ' +message['message'])
break
if config['reader'] and config['unread'][2]:
if lista[yt][0]=='Donativos' or lista[yt][0]=='General':
if config['sapi']: leer.speak(str(message['money']['amount'])+message['money']['currency']+ ', '+message['author']['name'] +': ' +message['message'])
else: lector.speak(str(message['money']['amount'])+message['money']['currency']+ ', '+message['author']['name'] +': ' +message['message'])
if config['sonidos'] and self.chat.status!="past" and config['listasonidos'][3]: playsound(ajustes.rutasonidos[3],False)
self.list_box_1.Append(str(message['money']['amount'])+message['money']['currency']+ ', '+message['author']['name'] +': ' +message['message'])
continue
else:
if config['categorias'][0]:
for contador in range(len(lista)):
if lista[contador][0]=='Mensajes':
lista[contador].append(message['author']['name'] +': ' +message['message'])
break
if lista[yt][0]=='General' or lista[yt][0]=='Mensajes':
if config['reader']:
if config['sapi']: leer.speak(message['author']['name'] +': ' +message['message'])
else: lector.speak(message['author']['name'] +': ' +message['message'])
if config['sonidos'] and self.chat.status!="past" and config['listasonidos'][0]: playsound(ajustes.rutasonidos[0],False)
self.list_box_1.Append(message['author']['name'] +': ' +message['message'])
continue
async def on_connect(self,event: ConnectEvent):
leer.speak(_("Ingresando al chat"))
if config['sonidos'] and config['listasonidos'][6]: playsound(ajustes.rutasonidos[6],False)
async def on_comment(self,event: CommentEvent):
self.agregarUsuario(event.user.nickname)
if config['categorias'][0]:
for contador in range(len(lista)):
if lista[contador][0]=='Mensajes':
lista[contador].append(event.user.nickname + ": " + event.comment if event.comment is not None else '')
break
if lista[yt][0]=='General' or lista[yt][0]=='Mensajes':
if config['reader']:
if config['sapi']: leer.speak(event.user.nickname + ": " + event.comment if event.comment is not None else '')
else: lector.speak(event.user.nickname + ": " + event.comment if event.comment is not None else '')
self.list_box_1.Append(event.user.nickname + ": " + event.comment if event.comment is not None else '')
if config['sonidos'] and config['listasonidos'][0]: playsound(ajustes.rutasonidos[0],False)
async def on_emote(self,event: EmoteEvent):
if config['categorias'][1]:
for contador in range(len(lista)):
if lista[contador][0]=='Miembros':
lista[contador].append(event.user.nickname + _(' envió un emogi.'))
break
self.list_box_1.Append(event.user.nickname + _(" envió un emogi."))
if config['reader'] and config['unread'][0]:
if lista[yt][0]=='Miembros' or lista[yt][0]=='General':
if config['sapi']: leer.speak(event.user.nickname + _(" envió un emogi."))
else: lector.speak(event.user.nickname + _(" envió un emogi."))
if config['sonidos'] and config['listasonidos'][1]: playsound(ajustes.rutasonidos[1],False)
async def on_chest(self,event: EnvelopeEvent):
if config['reader'] and config['unread'][8]:
if lista[yt][0]=='General':
if config['sapi']: leer.speak(event.user.nickname + _("ha enviado un cofre!"))
else: lector.speak(event.user.nickname + _(" ha enviado un cofre!"))
self.list_box_1.Append(event.user.nickname + _(" ha enviado un cofre!"))
if config['sonidos'] and config['listasonidos'][12]: playsound(ajustes.rutasonidos[12],False)
async def on_follow(self,event: FollowEvent):
self.seguidores+=1
if config['reader'] and config['unread'][6]:
if lista[yt][0]=='General':
if config['sapi']: leer.speak(event.user.nickname + _(" comenzó a seguirte!"))
else: lector.speak(event.user.nickname + _(" comenzó a seguirte!"))
self.list_box_1.Append(event.user.nickname + _(" comenzó a seguirte!"))
if config['sonidos'] and config['listasonidos'][10]: playsound(ajustes.rutasonidos[10],False)
async def on_gift(self,event: GiftEvent):
if event.gift.streakable and not event.gift.streaking:
if self.divisa!="Por defecto":
if self.divisa=='USD': total=float((event.gift.info.diamond_count*event.gift.count)/100)
else:
moneda = json.loads(google_currency.convert('USD', self.divisa, int((event.gift.info.diamond_count * event.gift.count) / 100)))
if moneda['converted']: total=moneda['amount']
mensajito=_('%s ha enviado %s %s (%s %s)') % (event.user.nickname,str(event.gift.count),event.gift.info.name,str(total),self.divisa)
else: mensajito=_('%s ha enviado %s %s (%s diamante)') % (event.user.nickname,str(event.gift.count),event.gift.info.name,str(event.gift.info.diamond_count))
elif not event.gift.streakable:
if self.divisa!="Por defecto":
if self.divisa=='USD': total=int((event.gift.info.diamond_count*event.gift.count)/100)
else:
moneda = json.loads(google_currency.convert('USD', self.divisa, int((event.gift.info.diamond_count * event.gift.count) / 100)))
if moneda['converted']: total=moneda['amount']
mensajito=_('%s ha enviado %s %s (%s %s)') % (event.user.nickname,str(event.gift.count),event.gift.info.name,str(total),self.divisa)
else: mensajito=_('%s ha enviado %s %s (%s diamante)') % (event.user.nickname,str(event.gift.count),event.gift.info.name,str(event.gift.info.diamond_count))
try:
if config['categorias'][2]:
for contador in range(len(lista)):
if lista[contador][0]=='Donativos':
lista[contador].append(mensajito)
break
self.list_box_1.Append(mensajito)
if config['reader'] and config['unread'][2]:
if lista[yt][0]=='Donativos' or lista[yt][0]=='General':
if config['sapi']: leer.speak(mensajito)
else: lector.speak(mensajito)
if config['sonidos'] and config['listasonidos'][3]: playsound(ajustes.rutasonidos[3],False)
except Exception as e: pass
async def on_join(self,event: JoinEvent):
self.unidos+=1
if config['reader'] and config['unread'][1]:
if lista[yt][0]=='General':