-
Notifications
You must be signed in to change notification settings - Fork 0
/
netflixcolombia_bot.py
3028 lines (2656 loc) · 176 KB
/
netflixcolombia_bot.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/env python
# pylint: disable=W0613, C0116
# type: ignore[union-attr]
# This program is dedicated to the public domain under the CC0 license.
# Programmer: [email protected]
"""
First, a few callback functions are defined. Then, those functions are passed to
the Dispatcher and registered at their respective places.
Then, the bot is started and runs until we press Ctrl-C on the command line.
Usage:
Example of a bot-user conversation using ConversationHandler.
Send /start to initiate the conversation.
Press Ctrl-C on the command line or send a signal to the process to stop the
bot.
"""
from datetime import datetime, date, time, timedelta
import calendar
import random
import logging
from typing import Pattern
from telegram import user
from telegram.files.file import File
import prueba
import time
import telegram
import os
import gspread
import gspread.exceptions
import pandas as pd
from helper2 import sheet
from flask import Flask
# import requests
# from tkinter import *
# import math
#from oauth2client.service_account import ServiceAccountCredentials
from telegram import ReplyKeyboardMarkup, ReplyKeyboardRemove, Update, InlineKeyboardButton, InlineKeyboardMarkup, ChatAction
from telegram.ext import (
Updater,
CommandHandler,
MessageHandler,
Filters,
ConversationHandler,
CallbackContext,
CallbackQueryHandler
)
# Enable logging
logging.basicConfig(
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s', level=logging.INFO
)
logger = logging.getLogger(__name__)
logging.getLogger("requests").setLevel(logging.WARNING)
logging.getLogger("urllib3").setLevel(logging.WARNING)
TOKEN = "YOUR_TOKEN_BOT_FROM_TELEGRAM_PROVIDED"
bot = telegram.Bot(token=TOKEN)
MICUENTA, CORREO, DESPEDIDA, PIN_JUANGUT, PIN_DANIACEVEDO, PIN_SOPHI, PIN_MARIAIG, PIN_CINDYB, PIN_GERALD, PIN_ESTEFASIERRA, PIN_KATEHDZ, CONVERSATION, PIN_KELISUAREZ, PIN_STIVEND, PIN_FABIAND, PIN_HORACIOA, PIN_ELKINCAR, PIN_KTBETANCUR, PIN_CAMISANCHEZ, PIN_DIANASAN, PIN_JOANANGA, PIN_BRARLYNNM, PIN_KARENF,PIN_DAVIDCHA, PIN_CLAUJIMENEZ, PIN_YIMAR, PIN_CLAULOPEZ, PIN_DIANAJIMENEZ, ANSWERYES, ANSWERNOT, PIN_VIVITORO, PIN_MANUELAMON, PIN_MAUROPATINO, PIN_HENRYMOSQUERA = range(34)
def start(update: Update, context: CallbackContext) -> int:
#query = update.callback_query
#query.answer()
user = update.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha iniciado una conversación.')
id = update.message.chat_id
context.bot.sendMessage(chat_id= id, parse_mode= "HTML",
text= f' ¡Hola {user.first_name}👋 Soy <b>Luan</b>!👶🏻, agente virtual de <b>Netflix Colombia</b>. Para mí es un placer atenderte.\n'
'Estoy aquí para ayudarte con las <u>consultas básicas</u> de tus servicios.\n'
'Puedes hacerme preguntas con frases cortas utilizando <u>estos comandos</u>:\n\n'
'/start - Inicia la conversación\n'
'/micuenta - Información de mi cuenta\n'
'/planes - ¡Quiero adquirir una cuenta!\n'
'/ayuda - Centro de ayuda\n'
'/pago - Detalles de pago\n'
'/recomendaciones - Te recomiendo series y películas\n'
'/promociones - Promociones vigentes\n'
'/preguntas - Preguntas frecuentes\n'
'/asesor - ¡Quiero hablar con un asesor!\n'
'/about - Acerca de <b>Netflix Colombia</b>\n'
'/cancel - Finaliza la conversación\n',
)
return ConversationHandler.END
def inicio(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha iniciado una conversación.')
id = query.message.chat_id
query.edit_message_text(parse_mode= "HTML",
text= f' ¡Hola {user.first_name}👋 Soy <b>Luan</b>!👶🏻, agente virtual de <b>Netflix Colombia</b>. Para mí es un placer atenderte.\n'
'Estoy aquí para ayudarte con las <u>consultas básicas</u> de tus servicios.\n'
'Puedes hacerme preguntas con frases cortas utilizando <u>estos comandos</u>:\n\n'
'/start - Inicia la conversación\n'
'/micuenta - Información de mi cuenta\n'
'/planes - ¡Quiero adquirir una cuenta!\n'
'/ayuda - Centro de ayuda\n'
'/pago - Detalles de pago\n'
'/recomendaciones - Te recomiendo series y películas\n'
'/promociones - Promociones vigentes\n'
'/preguntas - Preguntas frecuentes\n'
'/asesor - ¡Quiero hablar con un asesor!\n'
'/about - Acerca de <b>Netflix Colombia</b>\n'
'/cancel - Finaliza la conversación\n',
)
return ConversationHandler.END
def pago(update: Update, context: CallbackContext) -> int:
user = update.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha solicitado la información de pago.')
id = update.message.chat_id
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
context.bot.sendMessage(chat_id=id, parse_mode="HTML",
text=f'Hola {user.first_name}, te comparto la información de pago habilitada:\n\n'
'<b>Netflix Colombia Soluciones</b>\n'
'Cuenta de ahorros Bancolombia: <a href="https://sucursalpersonas.transaccionesbancolombia.com/" target="_blank">YOUR_PAYMENT_INFORMATION</a>\n'
'Cuenta de ahorros Nequi o Daviplata: <a href="https://transacciones.nequi.com/" target="_self">YOUR_TELEPHONE_NUMBER</a>\n\n'
)
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text='Recuerde que el pago puede realizarlo de manera física desde un corresponsal bancario correspondiente, '
'desde la Sucursal Virtual o App personas.\n\n'
'Puedes enviar tu comprobante de pago una vez realizado el mismo <a href="https://t.me/netflixcolombiaoficial" target="_self">aquí</a>. ¡Saludos!'
)
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
update.message.reply_text('/start para regresar al menú principal.',
reply_markup=ReplyKeyboardRemove(),
)
#return START
def planes(update: Update, context: CallbackContext) -> int:
user = update.message.from_user
id = update.message.chat_id
logger.info(f'El usuario {user.first_name} {user.last_name}({id}), ha ingresado el comando /planes.')
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
update.message.reply_text(
'¿En cuál plan estás interesado(a)?\n\n',
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Plan Básico', callback_data='básico')],
[InlineKeyboardButton(text='Plan Estándar', callback_data='estándar')],
[InlineKeyboardButton(text='Plan Premium', callback_data='premium')]
])
)
def recomendaciones(update: Update, context: CallbackContext):
user = update.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha ingresado al comando /recomendaciones.')
id = update.message.chat_id
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
update.message.reply_text("¿Qué quieres que te recomiende?\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Películas', callback_data='películas')],
[InlineKeyboardButton(text='Series', callback_data='series')]
])
)
def peliculas_call_handler(update, context):
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido la opción películas.')
id = query.message.chat_id
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(2)
query.edit_message_text(
text='¿Qué genero buscas?\n Sección: películas\n\n'
'- Acción\n'
'- Anime\n'
'- Ciencia Ficción\n'
'- Clásicas\n'
'- Colombianos\n'
'- Comedias\n'
'- De Hollywood\n'
'- Deportes\n'
'- Documentales\n'
'- Dramas\n'
'- Fantasía\n'
'- Fe y Espiritualidad\n'
'- Independientes\n'
'- Infantiles y familiares\n'
'- Internacionales\n'
'- Latinoamericanas\n'
'- Los favoritos de la crítica\n'
'- Música y musicales\n'
'- Policiales\n'
'- Romances\n'
'- Terror\n'
'- Thrillers'
)
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text('\nEscríbeme lo que buscas y con mucho gusto te ayudaré. 😉')
return ConversationHandler.END
def series_call_handler(update, context):
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido la opción series.')
id = query.message.chat_id
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(2)
query.edit_message_text(
text='¿Qué genero buscas?\n Sección: Series\n\n'
'- Acción\n'
'- Animes\n'
'- Asiáticos\n'
'- Británicos\n'
'- Ciencia Ficción\n'
'- Ciencia y naturaleza\n'
'- Comedias\n'
'- Comedias de stand up\n'
'- De adolescentes\n'
'- De Colombia\n'
'- De EEUU\n'
'- Docuseries\n'
'- Dramas\n'
'- Infantiles\n'
'- Latinoamericanas\n'
'- Misterios\n'
'- Policiales\n'
'- Reality TV y entrevistas\n'
'- Romances\n'
'- Telenovelas\n'
'- Terror\n'
'- Thrillers'
)
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text('\nEscríbeme lo que buscas y con mucho gusto te ayudaré. 😉')
return ConversationHandler.END
def plan_basico(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el plan básico.')
id = query.message.chat_id
#query.message.reply_text('Te envío la información pertinente al Plan Básico.\n\n')
# print(id)
query.edit_message_text(
text='Aquí te envío toda la información correspondiente al plan básico.'
)
with open('img/basicPrices.PNG','rb') as photo_file:
bot.sendChatAction(chat_id=id, action=ChatAction.UPLOAD_PHOTO, timeout=None)
time.sleep(1)
bot.sendPhoto(chat_id=id, photo=photo_file, caption='Precios y descripción plan básico.')
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("La disponibilidad del contenido en Full HD (1080p), Ultra HD (4K) y HDR depende de tu servicio de internet y del dispositivo en uso. No todo el contenido está disponible en HD, Full HD, Ultra HD o HDR. Consulta los Términos de uso para obtener más información. "
"Solo las personas que vivan contigo pueden usar tu cuenta. Puedes ver Netflix en 4 dispositivos distintos al mismo tiempo con el plan Premium, en 2 con el plan Estándar y en 1 con el plan Básico.")
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("Recuerda que el comando /pago te brindará información de las cuentas bancarias habilitadas para que realices tu compra.")
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("/start para regresar al menú principal.")
with open('stickers/besopatito.tgs','rb') as sticker_file:
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(0.5)
bot.sendSticker(chat_id=id, sticker=sticker_file)
return ConversationHandler.END
def plan_estandar(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el plan estándar.')
id = query.message.chat_id
query.edit_message_text(
text='Aquí te envío toda la información respecto al plan estándar.'
)
with open('img/StandarPrices.PNG','rb') as photo_file:
bot.sendChatAction(chat_id=id, action=ChatAction.UPLOAD_PHOTO, timeout=None)
time.sleep(1)
bot.sendPhoto(chat_id=id, photo=photo_file, caption='Precios y descripción plan estándar.')
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("La disponibilidad del contenido en Full HD (1080p), Ultra HD (4K) y HDR depende de tu servicio de internet y del dispositivo en uso. No todo el contenido está disponible en HD, Full HD, Ultra HD o HDR. Consulta los Términos de uso para obtener más información. "
"Solo las personas que vivan contigo pueden usar tu cuenta. Puedes ver Netflix en 4 dispositivos distintos al mismo tiempo con el plan Premium, en 2 con el plan Estándar y en 1 con el plan Básico.")
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("Recuerda que el comando /pago te brindará información de las cuentas habilitadas para que realices tu compra.")
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("/start para regresar al menú principal.")
with open('stickers/besopatito.tgs','rb') as sticker_file:
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(0.5)
bot.sendSticker(chat_id=id, sticker=sticker_file)
return ConversationHandler.END
def plan_premium(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el plan premium.')
id = query.message.chat_id
query.edit_message_text(
text='Aquí te envío toda la información respecto al plan premium.'
)
with open('img/PremiumPrices.PNG','rb') as photo_file:
bot.sendChatAction(chat_id=id, action=ChatAction.UPLOAD_PHOTO, timeout=None)
time.sleep(1)
bot.sendPhoto(chat_id=id, photo=photo_file, caption='Precios y descripción plan premium.')
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("La disponibilidad del contenido en Full HD (1080p), Ultra HD (4K) y HDR depende de tu servicio de internet y del dispositivo en uso. No todo el contenido está disponible en HD, Full HD, Ultra HD o HDR. Consulta los Términos de uso para obtener más información. "
"Solo las personas que vivan contigo pueden usar tu cuenta. Puedes ver Netflix en 4 dispositivos distintos al mismo tiempo con el plan Premium, en 2 con el plan Estándar y en 1 con el plan Básico.")
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("Recuerda que el comando /pago te brindará información de las cuentas habilitadas para que realices tu compra.")
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(1)
query.message.reply_text("/start para regresar al menú principal.")
with open('stickers/besopatito.tgs','rb') as sticker_file:
bot.sendChatAction(chat_id=id, action=ChatAction.TYPING, timeout=None)
time.sleep(0.5)
bot.sendSticker(chat_id=id, sticker=sticker_file)
return ConversationHandler.END
def micuenta(update: Update, context: CallbackContext) -> int:
user = update.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha ingresado al comando /micuenta.')
update.message.reply_text(
'Por favor envíame el correo electrónico (todo en minúscula) que tienes asociado, para validar la información.\n\n'
'O envía /saltar si no lo recuerdas',
reply_markup=ReplyKeyboardRemove(),
)
return CORREO
def correo(update, context):
user_name = update.effective_user['first_name']
user_last = update.effective_user['last_name']
user_id = update.effective_user['id']
email = update.message.text
logger.info("Correo que ingresó %s %s fue %s", user_name, user_last, email)
update.message.reply_text(
text=f"Esta es la dirección de correo electrónico que nos has proporcionado: \n{email}\n\n")
for i in range(1):
try:
cell = sheet.find(email)
if(email == "email_from_google_sheets_database"):
update.message.reply_text("Por favor selecciona el nombre de tu perfil.\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Camila Sánchez', callback_data='cami_sanchez')],
[InlineKeyboardButton(text='Diana Sánchez', callback_data='diana_sanchez')],
[InlineKeyboardButton(text='Joan', callback_data='joan_angarita')],
[InlineKeyboardButton(text='Joan Angarita 2', callback_data='joan_angarita')]
])
)
elif(email == "email_from_google_sheets_database"):
update.message.reply_text("Por favor selecciona el nombre de tu perfil.\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Keli Suárez', callback_data='keli_suarez')],
[InlineKeyboardButton(text='Stiven', callback_data='stiven_duque')],
[InlineKeyboardButton(text='Fabián', callback_data='fabian_duque')],
[InlineKeyboardButton(text='Horacio Alzáte', callback_data='horacio_alzate')]
])
)
elif(email == "email_from_google_sheets_database"):
update.message.reply_text("Por favor selecciona el nombre de tu perfil.\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Daniela Acevedo', callback_data='dani_ace')],
[InlineKeyboardButton(text='Juan Gutiérrez', callback_data='juan_gu')],
[InlineKeyboardButton(text='Sophia Jaramillo', callback_data='sophi_jara')],
[InlineKeyboardButton(text='Maria Isabel Giraldo', callback_data='mariai_giraldo')]
])
)
elif(email == "email_from_google_sheets_database"):
update.message.reply_text("Por favor selecciona el nombre de tu perfil.\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Jhon', callback_data='brarlynn_muñoz')],
[InlineKeyboardButton(text='Brarlynn', callback_data='brarlynn_muñoz')],
[InlineKeyboardButton(text='Karen Fonseca', callback_data='karen_fonseca')],
[InlineKeyboardButton(text='David', callback_data='david_chavarriaga')]
])
)
elif(email == "email_from_google_sheets_database"):
update.message.reply_text("Por favor selecciona el nombre de tu perfil.\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Clau Jiménez', callback_data='clau_jimenez')],
[InlineKeyboardButton(text='Yimar', callback_data='yimar')],
[InlineKeyboardButton(text='Claudia López', callback_data='claudia_lopez')],
[InlineKeyboardButton(text='Diana Jiménez', callback_data='diana_jimenez')]
])
)
elif(email == "email_from_google_sheets_database"):
update.message.reply_text("Por favor selecciona el nombre de tu perfil.\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Cindy', callback_data='cindy_berrio')],
[InlineKeyboardButton(text='Geral', callback_data='geral_durango')],
[InlineKeyboardButton(text='Estefania', callback_data='estefa_sierra')],
[InlineKeyboardButton(text='Katerine', callback_data='kate_hernandez')]
])
)
elif(email == "email_from_google_sheets_database"):
update.message.reply_text("Por favor selecciona el nombre de tu perfil.\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Elkin', callback_data='elkin_carmona')],
[InlineKeyboardButton(text='Juan', callback_data='kate_betancur')],
[InlineKeyboardButton(text='Kate', callback_data='kate_betancur')],
[InlineKeyboardButton(text='Vivi Toro', callback_data='viviana_toro')]
])
)
elif(email == "email_from_google_sheets_database"):
update.message.reply_text("Por favor selecciona el nombre de tu perfil.\n\n",
reply_markup=InlineKeyboardMarkup([
[InlineKeyboardButton(text='Manuela', callback_data='manuela_montoya')],
[InlineKeyboardButton(text='Berenice', callback_data='mauro_patiño')],
[InlineKeyboardButton(text='Henry', callback_data='henry_mosquera')]
])
)
else:
context.bot.sendMessage(chat_id=user_id, parse_mode= "HTML", text="Esta es la información de tu cuenta: \n\n"
f"<b>ESTADO:</b> {sheet.cell(cell.row, cell.col-4).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell.row, cell.col-3).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell.row, cell.col-2).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell.row, cell.col-1).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell.row, cell.col).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell.row, cell.col+2).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell.row, cell.col+3).value}" )
bot.sendChatAction(chat_id= user_id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= user_id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
except gspread.CellNotFound:
context.bot.sendMessage(chat_id=user_id, parse_mode= "HTML", text="El correo electrónico proporcionado no fue hallado en nuestra base de datos. Recuerda ingresar tu correo en minúscula.\n\n"
"/micuenta para intentarlo nuevamente o envía /start para volver al menú principal.")
return ConversationHandler.END
def saltar_correo(update: Update, context: CallbackContext) -> int:
user = update.message.from_user
id = update.message.from_user.id
logger.info("Usuario %s %s no envió correo.", user.first_name, user.last_name)
context.bot.sendMessage(chat_id= id, parse_mode="HTML", text=
'Puedes intentarlo más tarde. El comando /asesor te puede ser útil.\n'
'/start para volver al menú principal.\n\n'
'¡Tus amigos de <b>Netflix Colombia</b>👋🏻!'
)
return ConversationHandler.END
def dani_acevedo(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Daniela Acevedo.')
query.message.reply_text('Has ingresado el perfil "Daniela Acevedo" por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n'
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_DANIACEVEDO
def pin_daniace(update: Update, context: CallbackContext) -> int:
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 2201):
#print(pin)
cell3 = sheet.find("Daniela Acevedo")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
#time.sleep(1)
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def mariai_giraldo(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Maria Isabel Giraldo')
query.message.reply_text('Has escogido el perfil "Maria Isabel Giraldo" por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n'
'O envía /saltar si no lo recuerdas.',
reply_markup=ReplyKeyboardRemove(),
)
return PIN_MARIAIG
def pin_mariaig(update: Update, context: CallbackContext) -> int:
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 514):
#print(pin)
cell3 = sheet.find("Maria Isabel Giraldo")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
#time.sleep(1)
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def juan_gu(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Juan Gutiérrez.')
query.message.reply_text("Por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n"
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_JUANGUT
def pin_juang(update: Update, context: CallbackContext) -> int:
#if(update.message.text.find("2612") == 0):
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 4488):
#print(pin)
cell3 = sheet.find("Juan Gutiérrez")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
#time.sleep(1)
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def sophi_jara(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Sophia Jaramillo.')
query.message.reply_text("Por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n"
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_SOPHI
def pin_sophi(update: Update, context: CallbackContext) -> int:
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 926):
#print(pin)
cell3 = sheet.find("Sophia Jaramillo")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
#time.sleep(1)
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def cindy_berrio(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Cindy Berrio.')
query.message.reply_text("Por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n"
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_CINDYB
def pin_cindyb(update: Update, context: CallbackContext) -> int:
for i in range(1):
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 1122): #el primer dígito es 0 pero no aparece (cero a la izquierda)
#print(pin)
cell3 = sheet.find("Cindy Berrio")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
#time.sleep(1)
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def geral_durango(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Geral Durango.')
query.message.reply_text("Por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n"
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_GERALD
def pin_gerald(update: Update, context: CallbackContext) -> int:
for i in range(1):
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 62): #los dos primeros dígitos son 0 pero no aparece (cero a la izquierda)
cell3 = sheet.find("Geraldine Durango")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
#time.sleep(1)
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def estefa_sierra(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil a nombre de Estefania Sierra.')
query.message.reply_text('Has seleccionado el perfil "Estefania" por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n'
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_ESTEFASIERRA
def pin_estefasierra(update: Update, context: CallbackContext) -> int:
for i in range(1):
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 1808): #los dos primeros dígitos son 0 pero no aparece (cero a la izquierda)
cell3 = sheet.find("Estefania Sierra")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
#time.sleep(1)
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def kate_hernandez(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Katerine Hernández.')
query.message.reply_text("Por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n"
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_KATEHDZ
def pin_katehdz(update: Update, context: CallbackContext) -> int:
for i in range(1):
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 1216):
cell3 = sheet.find("Katerine Hernández")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def keli_suarez(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Keli Suárez.')
query.message.reply_text('Has escogido el perfil "Keli Suárez", por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n'
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_KELISUAREZ
def pin_kelisuarez(update: Update, context: CallbackContext) -> int:
for i in range(1):
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 727): #pin: 0727
cell3 = sheet.find("Keli Suárez")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def stiven_duque(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Keli Suárez.')
query.message.reply_text('Has escogido el perfil "Stiven", por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n'
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_STIVEND
def pin_stivend(update: Update, context: CallbackContext) -> int:
for i in range(1):
while True:
try:
pin = int(update.message.text)
update.message.reply_text("El pin ingresado no corresponde al del perfil seleccionado.\n"
"Inténtalo de nuevo o envía /saltar si no lo recuerdas.")
if(pin == 9866):
cell3 = sheet.find("Stiven Duque")
id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="¡Espera... este pin sí lo reconozco!😁")
time.sleep(1)
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, text="Esta es la información de tu cuenta: \n\n")
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
context.bot.sendMessage(chat_id= id, parse_mode= "HTML", text=
f"<b>ESTADO:</b> {sheet.cell(cell3.row, cell3.col-3).value}\n"
f"<b>PLAN:</b> {sheet.cell(cell3.row, cell3.col-2).value}\n"
f"<b>PRECIO:</b> ${sheet.cell(cell3.row, cell3.col-1).value} COP/mes\n"
f"<b>NOMBRE:</b> {sheet.cell(cell3.row, cell3.col).value}\n"
f"<b>CORREO ELECTRÓNICO:</b> {sheet.cell(cell3.row, cell3.col+1).value}\n"
f"<b>FECHA DE PAGO OPORTUNO:</b> {sheet.cell(cell3.row, cell3.col+3).value}\n"
f"<b>FECHA DE CORTE:</b> {sheet.cell(cell3.row, cell3.col+4).value}" )
time.sleep(1)
break
except ValueError:
update.message.reply_text("Oopss! ese no era un número válido, por favor ingresa sólo 4 números o envía /saltar si no lo recuerdas.")
time.sleep(1)
break
#id = update.message.from_user.id
bot.sendChatAction(chat_id= id, action= ChatAction.TYPING, timeout= None)
bot.sendMessage(chat_id= id, parse_mode= "HTML", text="Espero la información brindada sea de ayuda, si tienes alguna inquietud no dudes en contactarnos, el comando /asesor te puede ayudar. ¡Tus amigos de <b>Netflix Colombia</b>!👋🏻\n\n/start para regresar al menú principal.")
return ConversationHandler.END
def fabian_duque(update: Update, context: CallbackContext) -> int:
query = update.callback_query
query.answer()
user = query.message.from_user
logger.info(f'El usuario {user.first_name} {user.last_name}, ha escogido el perfil Stiven Duque.')
query.message.reply_text("Por motivos de seguridad para mirar la información de tu cuenta envíame el pin de 4 dígitos asociado a tu perfil.\n\n"
"O envía /saltar si no lo recuerdas.",
reply_markup=ReplyKeyboardRemove(),
)
return PIN_FABIAND