-
Notifications
You must be signed in to change notification settings - Fork 10
/
main.py
2647 lines (2226 loc) · 102 KB
/
main.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
import random
from selenium import webdriver
from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.support import expected_conditions as EC
from selenium.webdriver.common.by import By
from selenium.webdriver.common.keys import Keys
from selenium.webdriver.chrome.options import Options
from selenium.webdriver.common.action_chains import ActionChains
import time
import re
from deep_translator import GoogleTranslator
import threading
import emoji
from typing import Optional, Tuple
import os
import requests
import base64
from datetime import datetime
import io
import codecs
import colorama
import psutil
import unicodedata
import json
from collections import deque
import numpy as np
from sklearn.feature_extraction.text import TfidfVectorizer
from sklearn.metrics.pairwise import cosine_similarity
import google.generativeai as genai
import string
from collections import deque
import hashlib
from urllib.parse import quote_plus
from PIL import Image
import qrcode
from urllib.parse import urlparse
from gtts import gTTS # Google Text-to-Speech
import glob
colorama.init() # đây là hướng dẫn dành cho bot và bạn lam kiểu đéo gì cũng được nhưng phải đảm bảo đúng chính sách của nó
SYSTEM_INSTRUCTION = """
Bạn là Loki - người bạn thông minh và duyên dáng trong giao tiếp. Hãy tuân theo các nguyên tắc sau:
1. Phong cách trả lời:
- Luôn thay đổi cách diễn đạt, tránh lặp lại khuôn mẫu
- Sử dụng ngôn ngữ đời thường, như đang nhắn tin với bạn thân
- Ưu tiên câu ngắn gọn (1-2 dòng) nhưng đầy đủ thông tin
- Thêm chút hài hước nhẹ nhàng khi phù hợp 😊
2. Đa dạng hóa:
- Linh hoạt thay đổi giữa các kiểu câu (hỏi, kể, đề xuất)
- Dùng từ ngữ phong phú nhưng dễ hiểu
- Thay đổi cách mở đầu và kết thúc câu
- Kết hợp emoji sáng tạo để tăng sinh động 🌟
3. Nguyên tắc:
- Trả lời súc tích là ưu tiên hàng đầu
- Thẳng thắn, chân thành, không vòng vo
- Thừa nhận giới hạn khi cần thiết
- Giữ giọng điệu vui vẻ, thân thiện
Mục tiêu: Tạo trải nghiệm trò chuyện tự nhiên, thú vị và hiệu quả. 💫"""
# prompt dự phòng https://gist.github.com/tanbaycu/66a9a08a30b5eb3f7f7912499780af97/raw
def success_color(string):
return f"{colorama.Fore.GREEN}{colorama.Style.BRIGHT}{string}{colorama.Style.RESET_ALL}"
def error_color(string):
return (
f"{colorama.Fore.RED}{colorama.Style.BRIGHT}{string}{colorama.Style.RESET_ALL}"
)
def warning_color(string):
return f"{colorama.Fore.YELLOW}{colorama.Style.BRIGHT}{string}{colorama.Style.RESET_ALL}"
def info_color(string):
return (
f"{colorama.Fore.CYAN}{colorama.Style.BRIGHT}{string}{colorama.Style.RESET_ALL}"
)
def debug_color(string):
return f"{colorama.Fore.MAGENTA}{colorama.Style.BRIGHT}{string}{colorama.Style.RESET_ALL}"
def highlight_color(string):
return f"{colorama.Back.BLUE}{colorama.Fore.WHITE}{colorama.Style.BRIGHT}{string}{colorama.Style.RESET_ALL}"
def system_color(string):
return f"{colorama.Fore.BLUE}{colorama.Style.BRIGHT}{string}{colorama.Style.RESET_ALL}" # thêm tí màu ngựa ngựa
def waiting_ui(timeout=5, content=""):
for i in range(timeout):
print(f"\r{warning_color(f'[{i+1}]')} -> {info_color(content)}", end="")
time.sleep(1)
print()
def encode_image(image_path):
with open(image_path, "rb") as image_file:
return base64.b64encode(image_file.read()).decode("utf-8")
def generate_error_code(error_type):
prefix = {
"Lỗi Tải Ảnh": "IMG",
"Lỗi Xử Lý Ảnh": "PRC",
"Lỗi API": "API",
"Lỗi Hệ Thống": "SYS",
}.get(
error_type, "GEN"
) # gen cho lỗi chung
random_part = "".join(random.choices(string.ascii_uppercase + string.digits, k=6))
timestamp = int(time.time()) % 10000
return f"{prefix}-{random_part}-{timestamp:04d}"
def format_error_message(error_type, error_details):
error_code = generate_error_code(error_type)
vnscii_chars = "ÀÁÂÃÈÉÊÌÍÒÓÔÕÙÚÝàáâãèéêìíòóôõùúýĂăĐđĨĩŨũƠơƯư"
vnscii_suffix = "".join(random.choices(vnscii_chars, k=2))
formatted_message = f"""
╔══════════════════════════════════════════════════════════════════════════════
║ Mã Lỗi: {error_code}{vnscii_suffix}
║ Loại Lỗi: {error_type}
║ Chi Tiết: {error_details}
║ Thời Gian: {time.strftime("%Y-%m-%d %H:%M:%S")}
╚══════════════════════════════════════════════════════════════════════════════
"""
return formatted_message
def send_to_gemini(
message,
image_path=None,
conversation_history=None,
model="gemini-1.5-pro-latest",
temperature=1,
max_output_tokens=4096,
top_p=0.95,
top_k=1,
max_retries=3,
initial_delay=1,
):
api_keys = ["YOUR_GEMINI_API_KEY_1", "YOUR_GEMINI_API_KEY_2"]
for api_key in api_keys:
url = f"https://generativelanguage.googleapis.com/v1beta/models/{model}:generateContent?key={api_key}" # base url
headers = {"Content-Type": "application/json"}
content_parts = []
if conversation_history: # sử dụng bộ nhớ
for entry in conversation_history:
content_parts.append({"text": f"{entry['role']}: {entry['content']}"})
content_parts.append({"text": SYSTEM_INSTRUCTION + "\n\n" + message})
if image_path: # xử lý hình ảnh
try:
image_data = encode_image(image_path)
content_parts.append(
{"inline_data": {"mime_type": "image/jpeg", "data": image_data}}
)
except FileNotFoundError:
return format_error_message(
"Lỗi Tải Ảnh", "Không tìm thấy file ảnh tại đường dẫn đã chỉ định."
)
except Exception as e:
return format_error_message("Lỗi Xử Lý Ảnh", str(e))
data = {
"contents": [{"parts": content_parts}],
"generationConfig": {
"temperature": temperature,
"maxOutputTokens": max_output_tokens,
"topP": top_p,
"topK": top_k,
},
} # body gửi về
for attempt in range(max_retries):
try:
response = requests.post(url, headers=headers, json=data, timeout=30)
response.raise_for_status()
response_data = response.json()
generated_text = response_data["candidates"][0]["content"]["parts"][0][
"text"
]
return generated_text
except requests.exceptions.HTTPError as e:
if e.response.status_code == 429:
delay = (2**attempt + random.uniform(0, 1)) * initial_delay
print(f"Rate limit exceeded. Retrying in {delay:.2f} seconds...")
time.sleep(delay)
else:
return format_error_message("Lỗi API", f"Lỗi HTTP: {e}")
except requests.exceptions.RequestException as e:
return format_error_message("Lỗi API", f"Lỗi yêu cầu: {e}")
except (KeyError, IndexError) as e:
return format_error_message(
"Lỗi Hệ Thống", f"Lỗi phân tích phản hồi: {e}"
)
except Exception as e:
return format_error_message("Lỗi Hệ Thống", f"Lỗi không xác định: {e}")
return format_error_message(
"Lỗi API", "Không thể kết nối với API Gemini sau nhiều lần thử."
) # bao hàm lỗi
def generate_image_huggingface(prompt):
API_URL = (
"https://api-inference.huggingface.co/models/runwayml/stable-diffusion-v1-5"
)
headers = {"Authorization": "Bearer YOUR_HUGGINGFACE_TOKEN"}
payload = {
"inputs": prompt,
}
response = requests.post(API_URL, headers=headers, json=payload)
image_bytes = response.content
# Lưu hình ảnh
with open("generated_image.jpg", "wb") as file:
file.write(image_bytes)
return "generated_image.jpg"
""" sử dụng thư viện thay vì sử dụng api => nhưng nó chậm vc
def send_to_gemini(
message,
image_path=None,
conversation_history=None,
model="gemini-1.5-pro-002",
temperature=1,
max_output_tokens=8162,
top_p=0.95,
top_k=40,
max_retries=3,
retry_delay=5
):
api_key = ""
genai.configure(api_key=api_key)
model = genai.GenerativeModel(model_name=model)
content_parts = []
if conversation_history:
for entry in conversation_history:
content_parts.append({"role": entry['role'], "parts": [entry['content']]})
content_parts.append({"role": "user", "parts": [SYSTEM_INSTRUCTION + "\n\n" + message]})
if image_path:
image = Image.open(image_path)
content_parts[-1]["parts"].append(image)
for attempt in range(max_retries):
try:
response = model.generate_content(
content_parts,
generation_config=genai.types.GenerationConfig(
temperature=temperature,
max_output_tokens=max_output_tokens,
top_p=top_p,
top_k=top_k
)
)
generated_text = response.text
return generated_text
except genai.types.ResponseError as e:
if "Resource has been exhausted" in str(e):
print(warning_color(f"API quota exhausted. Attempt {attempt + 1} of {max_retries}. Retrying in {retry_delay} seconds..."))
time.sleep(retry_delay)
else:
print(error_color(f"Lỗi khi kết nối với API Gemini: {e}"))
break
except Exception as e:
print(error_color(f"Lỗi không xác định khi kết nối với API Gemini: {e}"))
break
# If all retries fail or another error occurs, use fallback response
return generate_fallback_response(message)
def generate_fallback_response(message):
fallback_responses = [
"Xin lỗi, hiện tại tôi đang gặp khó khăn trong việc xử lý yêu cầu của bạn. Bạn có thể thử lại sau không?",
"Rất tiếc, tôi không thể trả lời câu hỏi của bạn lúc này. Hãy thử lại sau vài phút nữa nhé.",
"Có vẻ như hệ thống đang bận. Bạn có thể đặt câu hỏi khác hoặc chờ một lát rồi thử lại.",
"Tôi đang gặp sự cố kỹ thuật. Xin lỗi vì sự bất tiện này. Hãy thử lại sau nhé!",
"Hệ thống đang quá tải. Tôi sẽ cố gắng trả lời câu hỏi của bạn sớm nhất có thể."
]
return random.choice(fallback_responses)
"""
class FacebookLogin:
def __init__(self, email_or_phone, password):
self.email_or_phone = email_or_phone
self.password = password
def login_twice(self):
try:
print(
info_color("[*] Đang thực hiện đăng nhập lần 1...")
) # lấy cookies lần đầu cho facebook khỏi xác thực
self.driver.get("https://www.messenger.com/login/")
email_field = WebDriverWait(self.driver, 30).until(
EC.presence_of_element_located((By.ID, "email"))
)
email_field.send_keys(self.email_or_phone)
print(info_color("[*] Đã nhập email/phone"))
time.sleep(0.2)
password_field = WebDriverWait(self.driver, 30).until(
EC.presence_of_element_located((By.ID, "pass"))
)
password_field.send_keys(self.password)
print(info_color("[*] Đã nhập password"))
time.sleep(0.2)
login_button = WebDriverWait(self.driver, 30).until(
EC.presence_of_element_located((By.ID, "loginbutton"))
)
login_button.click()
print(success_color("[*] Đã click nút đăng nhập"))
print(info_color("[*] Đợi 30 giây trước khi đăng nhập lại..."))
time.sleep(30)
print(info_color("[*] Đang quay lại trang đăng nhập..."))
self.driver.back()
print(info_color("[*] Đang thực hiện đăng nhập lần 2..."))
password_field = WebDriverWait(self.driver, 30).until(
EC.presence_of_element_located((By.ID, "pass"))
)
password_field.send_keys(self.password)
print(info_color("[*] Đã nhập lại password"))
login_button = WebDriverWait(self.driver, 30).until(
EC.presence_of_element_located((By.ID, "loginbutton"))
)
login_button.click()
print(success_color("[*] Đã click nút đăng nhập lần 2"))
print(success_color("[+] Đăng nhập thành công!"))
return True
except Exception as e:
print(
error_color(f"[!] Lỗi trong quá trình đăng nhập: {str(e)}")
) # facebook đòi xác thực với anh à
return False
class LoginCreateSession(FacebookLogin): # đăng nhập
def __init__(self, email_or_phone, password, group_or_chat):
super().__init__(email_or_phone, password)
options = webdriver.ChromeOptions()
options.add_argument("--no-sandbox")
options.add_argument("--disable-dev-shm-usage")
options.add_argument("--remote-debugging-port=9222")
options.add_argument("--log-level=3")
options.add_argument("--headless=old") # đừng bật cái này nhe
self.browser = webdriver.Chrome(options=options, keep_alive=True)
self.driver = self.browser # Để FacebookLogin có thể sử dụng
self.group_or_chat = group_or_chat
# Thực hiện đăng nhập 2 lần
self.login_twice()
self.check_verify()
self.pass_notify()
self.to_group_or_chat()
def get_to_mes(self): # truy cập vào messenger bằng trình duyệt headless
self.browser.get("https://www.messenger.com/login/")
print(info_color("[*] Navigating to Messenger login page"))
def login(self):
time.sleep(1)
try:
WebDriverWait(self.browser, 30).until(
EC.presence_of_element_located((By.ID, "email"))
).send_keys(self.email_or_phone)
print(info_color("[*] Entered email/phone"))
except:
print(error_color("[!] Failed to enter email/phone"))
raise
time.sleep(0.2)
try:
WebDriverWait(self.browser, 30).until(
EC.presence_of_element_located((By.ID, "pass"))
).send_keys(self.password)
print(info_color("[*] Entered password"))
except:
print(error_color("[!] Failed to enter password"))
raise
time.sleep(0.2)
try:
WebDriverWait(self.browser, 30).until(
EC.presence_of_element_located((By.ID, "loginbutton"))
).click()
print(success_color("[*] Clicked login button"))
except:
print(error_color("[!] Failed to click login button"))
raise
def check_verify(self):
waiting_ui(5, "Please wait for 5 seconds")
input(
warning_color(
"[!] Please verify access (if required) and press Enter to continue\n-> "
)
)
self.browser.get("https://www.messenger.com/login/")
print(info_color("[*] Checking for verification requests..."))
try:
continue_with_acc = WebDriverWait(self.browser, 2.5).until(
EC.presence_of_element_located(
(By.XPATH, "//span[contains(@class, '_2hyt')]")
)
)
continue_with_acc.click()
print(success_color("[*] Verified and continuing..."))
except Exception as e:
print(info_color("[*] No verification requests found, continuing..."))
def pass_notify(self):
print(info_color("[*] Checking for message sync requests..."))
try:
x1 = WebDriverWait(self.browser, 2.5).until(
EC.presence_of_element_located((By.XPATH, "//div[@aria-label='Đóng']"))
)
x1.click()
x2 = WebDriverWait(self.browser, 2.5).until(
EC.presence_of_element_located(
(
By.XPATH,
"//span[contains(@class, 'x1lliihq') and text()='Không đồng bộ']",
)
)
)
x2.click()
print(success_color("[*] Messages synced successfully!"))
except Exception as e:
print(info_color("[*] No message sync requests found"))
def to_group_or_chat(self):
print(info_color("[*] Navigating to chat box..."))
self.browser.get(self.group_or_chat)
class Listener(LoginCreateSession): # lắng nghe tin nhắn từ đoạn chat và người dùng
def __init__(self, email_or_phone, password, group_or_chat):
super().__init__(email_or_phone, password, group_or_chat)
self.his_inp = ""
self.current_inp = ""
self.his_img_value = ""
self.current_img_value = ""
self.current_image = None
self.waiting = True
self.username = None
self.sending_img = False
threading.Thread(target=self.listening).start()
self.waiting_setting_up()
def remove_emoji(self, text):
return emoji.replace_emoji(text, replace="")
def first_input_message_init(self):
print(info_color("[*] Initializing messages and images input..."))
try:
message = WebDriverWait(self.browser, 10).until(
EC.presence_of_element_located(
(
By.XPATH,
'(//div[@class="html-div xexx8yu x4uap5 x18d9i69 xkhd6sd x1gslohp x11i5rnm x12nagc x1mh8g0r x1yc453h x126k92a x18lvrbx"])[last()]',
)
)
)
message = message.text
self.his_inp = message
self.current_inp = message
print(info_color("[*] Searching for images..."))
img = None
try:
img = WebDriverWait(self.browser, 2).until(
EC.presence_of_all_elements_located(
(
By.XPATH,
"//img[@alt='Open photo' and contains(@class, 'xz74otr xmz0i5r x193iq5w')]",
)
)
)
print(success_color("[*] Image found!"))
except Exception as e:
print(warning_color("[!] No image found in the chat box"))
self.his_img_value = str(img)[-100:]
self.current_img_value = str(img)[-100:]
except Exception as e:
print(error_color(f"[!] Error initializing messages and images input: {e}"))
def check_new_message(self):
try:
message = WebDriverWait(self.browser, 10).until(
EC.presence_of_element_located(
(
By.XPATH,
'(//div[@class="html-div xexx8yu x4uap5 x18d9i69 xkhd6sd x1gslohp x11i5rnm x12nagc x1mh8g0r x1yc453h x126k92a x18lvrbx"])[last()]',
)
)
)
message = message.text
if message != self.his_inp:
print(info_color("[*] Searching for username..."))
username = None
try:
username = WebDriverWait(self.browser, 2.5).until(
EC.presence_of_all_elements_located(
(
By.XPATH,
"//span[contains(@class, 'html-span') and contains(@class, 'xdj266r') and contains(@class, 'x11i5rnm') and contains(@class, 'xat24cr') and contains(@class, 'x1mh8g0r') and contains(@class, 'xexx8yu') and contains(@class, 'x4uap5') and contains(@class, 'x18d9i69') and contains(@class, 'xkhd6sd') and contains(@class, 'x1hl2dhg') and contains(@class, 'x16tdsg8') and contains(@class, 'x1vvkbs')]",
)
)
)
except Exception as e:
print(warning_color("[!] Error finding username"))
if username is not None:
print(success_color(f"[*] Found username -> {username[-1].text}"))
self.username = username[-1].text
self.current_inp = message
except Exception as e:
print(error_color(f"[!] Error checking for new messages: {e}"))
def check_new_image(self):
print(system_color("[!] finding image..."))
img = None
try:
try:
img = WebDriverWait(self.browser, 2).until(
EC.presence_of_all_elements_located(
(
By.XPATH,
"//img[@alt='Open photo' and contains(@class, 'xz74otr xmz0i5r x193iq5w')]",
)
)
)
except:
img = WebDriverWait(self.browser, 2).until(
EC.presence_of_all_elements_located(
(
By.XPATH,
"//img[@alt='Mở ảnh' and contains(@class, 'xz74otr xmz0i5r x193iq5w')]",
)
)
)
print(success_color("[*] founded an image!"))
except Exception as e:
print(error_color("[!] error when finding image!"))
if img is not None:
try:
img = img[-1].get_attribute("src")
except:
img = img[-1].get_attribute("src")
if img[:4] == "http":
img = requests.get(img).content
else:
img = base64.b64decode(img[23:])
if str(img)[-100:] == self.his_img_value:
pass
else:
if self.sending_img:
self.current_img_value = str(img)[-100:]
self.his_img_value = str(img)[-100:]
self.sending_img = False
else:
self.current_image = img
self.current_img_value = str(img)[-100:]
def listening(self):
print(highlight_color("[#] Listening for new messages and images..."))
self.first_input_message_init()
while True:
try:
time.sleep(0.5)
self.check_new_message()
self.check_new_image()
if self.waiting:
self.waiting = False
except Exception as e:
print(error_color(f"[!] Error during listening: {e}"))
continue
def waiting_setting_up(self):
time.sleep(1)
print(info_color("[*] Waiting for setup to complete..."))
while not self.waiting:
pass
print(success_color("[*] Setup completed successfully!"))
class Sender(Listener): # class để gửi ảnh và tin nhắn
def __init__(self, email_or_phone, password, group_or_chat):
super().__init__(email_or_phone, password, group_or_chat)
def send_message(self, inp=None, inp_down_line=None):
try:
try:
send_msg = WebDriverWait(self.browser, 10).until(
EC.presence_of_element_located(
(By.XPATH, "//p[@class='xat24cr xdj266r']")
)
)
except:
send_msg = WebDriverWait(self.browser, 10).until(
EC.presence_of_element_located(
(By.XPATH, "//p[@class='xat24cr xdj266r']")
)
)
"""try:
send_msg = WebDriverWait(self.browser, 10).until(EC.presence_of_element_located((By.XPATH, "//p[@class='xat24cr xdj266r']")))
except:
send_msg = WebDriverWait(self.browser, 10).until(EC.presence_of_element_located((By.XPATH, "//p[@class='xat24cr xdj266r']")))"""
if inp is not None:
inp = " ".join(inp.split())
# Convert emoji shortcodes to Unicode
inp_with_emojis = emoji.emojize(inp, language="alias")
# Use ActionChains for more reliable input
actions = ActionChains(self.browser)
actions.move_to_element(send_msg)
actions.click()
actions.send_keys(inp_with_emojis)
actions.send_keys(Keys.ENTER)
actions.perform()
elif inp_down_line is not None:
actions = ActionChains(self.browser)
actions.move_to_element(send_msg)
actions.click()
for inp in inp_down_line:
inp_with_emojis = emoji.emojize(inp, language="alias")
actions.send_keys(inp_with_emojis)
actions.key_down(Keys.SHIFT).send_keys(Keys.ENTER).key_up(
Keys.SHIFT
)
actions.send_keys(Keys.ENTER)
actions.perform()
elif inp_down_line is not None:
for inp in inp_down_line:
try:
send_msg.send_keys(self.remove_emoji(inp + " "))
except:
send_msg.send_keys(self.remove_emoji(inp + " "))
try:
send_msg.send_keys(Keys.SHIFT, Keys.ENTER)
except:
send_msg.send_keys(Keys.SHIFT, Keys.ENTER)
time.sleep(0.2)
try:
send_msg.send_keys(Keys.ENTER)
except:
send_msg.send_keys(Keys.ENTER)
print(success_color("[*] send message is successed!"))
except Exception as e:
print(error_color("[!] error when send messgae!"))
self.his_inp = self.current_inp
def send_image(
self, img_path: str = "./image_model/output_image.png", message=None
):
self.sending_img = True
try:
upload_image = WebDriverWait(self.browser, 10).until(
EC.presence_of_element_located(
(By.XPATH, '//input[@type="file" and contains(@class, "x1s85apg")]')
)
)
except:
upload_image = WebDriverWait(self.browser, 10).until(
EC.presence_of_element_located(
(By.XPATH, '//input[@type="file" and contains(@class, "x1s85apg")]')
)
)
time.sleep(0.2)
try:
upload_image.send_keys(os.path.abspath(img_path))
except:
upload_image.send_keys(os.path.abspath(img_path))
time.sleep(0.2)
try:
send_msg = WebDriverWait(self.browser, 10).until(
EC.presence_of_element_located(
(By.XPATH, "//p[@class='xat24cr xdj266r']")
)
)
except:
send_msg = WebDriverWait(self.browser, 10).until(
EC.presence_of_element_located(
(By.XPATH, "//p[@class='xat24cr xdj266r']")
)
)
time.sleep(0.2)
try:
send_msg.send_keys(" " if message == None else message)
except:
send_msg.send_keys(" " if message == None else message)
time.sleep(0.2)
try:
send_msg.send_keys(Keys.ENTER)
except:
send_msg.send_keys(Keys.ENTER)
#
#
class CodeAssistant:
def __init__(self):
self._github_token = ""
self._gemini_api_key = ""
self._supported_languages = {
"python": ".py",
"javascript": ".js",
"java": ".java",
"cpp": ".cpp",
"csharp": ".cs",
"ruby": ".rb",
"go": ".go",
"rust": ".rs",
"typescript": ".ts",
"swift": ".swift",
"kotlin": ".kt",
"php": ".php",
"html": ".html",
"css": ".css",
"sql": ".sql",
}
self._setup_gemini()
def _setup_gemini(self):
genai.configure(api_key=self._gemini_api_key)
self._model = genai.GenerativeModel("gemini-1.5-flash")
def _generate_code_and_explanation(
self, language: str, request: str
) -> Tuple[str, str]:
prompt = self._create_advanced_prompt(language, request)
try:
response = self._model.generate_content(
prompt,
generation_config=genai.types.GenerationConfig(
temperature=0.2,
top_p=1,
top_k=1,
max_output_tokens=8192,
),
)
full_response = response.text
code_start = full_response.find(f"```{language}")
code_end = full_response.find("```", code_start + len(language) + 3)
explanation_start = full_response.find("EXPLANATION:")
if code_start != -1 and code_end != -1 and explanation_start != -1:
code = full_response[code_start + len(language) + 3 : code_end].strip()
explanation = full_response[
explanation_start + len("EXPLANATION:") :
].strip()
else:
raise ValueError("Failed to extract code or explanation properly")
return code, explanation
except Exception as e:
return f"# Error generating code: {str(e)}", f"Error: {str(e)}"
def _create_advanced_prompt(self, language: str, request: str) -> str:
return f"""
As an expert {language} developer with years of experience, your task is to generate highly optimized, production-ready {language} code for the following request:
{request}
Your response MUST adhere to the following strict guidelines:
1. CODE IMPLEMENTATION:
- Provide a COMPLETE, FULLY FUNCTIONAL implementation that addresses ALL aspects of the request.
- The code MUST be syntactically correct and follow the latest best practices and conventions for {language}.
- Include ALL necessary imports, function definitions, classes, and main execution blocks.
- Implement proper error handling and edge case management.
- Ensure the code is optimized for performance and memory efficiency.
- Use appropriate data structures and algorithms to solve the problem efficiently.
- Follow SOLID principles and implement clean, maintainable code.
- Add clear, concise comments to explain complex logic or algorithms.
- Implement proper input validation and data sanitization where necessary.
- Use meaningful variable and function names that clearly convey their purpose.
- Adhere to the language-specific style guide (e.g., PEP 8 for Python, Google Style Guide for Java).
2. COMPREHENSIVE EXPLANATION:
- Provide an in-depth, technical explanation of the code in English.
- Cover the following aspects in detail:
a) Overall architecture and design patterns used in the solution
b) Detailed explanation of each major component, class, or function
c) Time and space complexity analysis of key algorithms
d) Justification for chosen data structures and their impact on performance
e) Explanation of any advanced language features or libraries used
f) Discussion of potential edge cases and how they are handled
g) Scalability considerations and potential optimizations for larger datasets
h) Any important design decisions or trade-offs made, with reasoning
i) Suggestions for further improvements or alternative approaches
- The explanation should be clear, concise, and technically accurate, suitable for an experienced developer audience.
3. TESTING AND QUALITY ASSURANCE:
- Outline a testing strategy for the implemented solution.
- Provide example test cases covering various scenarios, including edge cases.
- Discuss potential integration and performance testing approaches.
Format your response EXACTLY as follows:
CODE:
```{language}
[Your complete, production-ready code here]
```
EXPLANATION:
[Your comprehensive, technical explanation here]
TESTING:
[Outline of testing strategy and example test cases]
Failure to follow these guidelines precisely will result in an incorrect and unusable response. Ensure your code and explanation demonstrate the highest level of expertise and attention to detail.
"""
def _create_gist(self, language: str, content: str) -> Optional[str]:
url = "https://api.github.com/gists"
headers = {
"Authorization": f"token {self._github_token}",
"Accept": "application/vnd.github.v3+json",
}
file_extension = self._supported_languages.get(language, ".txt")
data = {
"description": f"Optimized {language.capitalize()} Solution",
"public": False,
"files": {f"solution{file_extension}": {"content": content}},
}
try:
response = requests.post(url, headers=headers, json=data)
response.raise_for_status()
return response.json()["html_url"]
except requests.exceptions.RequestException as e:
print(f"Error creating Gist: {str(e)}")
return None
def process_code_request(self, message: str) -> str:
parts = message.split(maxsplit=2)
if len(parts) < 3:
return "Cách sử dụng: /code [ngôn ngữ] [yêu cầu chi tiết]"
language = parts[1].lower()
request = parts[2]
if language not in self._supported_languages:
return f"Ngôn ngữ không được hỗ trợ. Các ngôn ngữ được hỗ trợ là: {', '.join(self._supported_languages.keys())}"
generated_code, explanation = self._generate_code_and_explanation(
language, request
)
gist_url = self._create_gist(language, generated_code)
translated_explanation = self.translate(explanation)
if gist_url:
response = f"Đã tạo giải pháp tối ưu thành công! Xem toàn bộ mã nguồn tại đây: {gist_url}\n\nGiải thích chi tiết:\n{translated_explanation}"
else:
response = f"Không thể tạo Gist. Đây là giải thích chi tiết cho mã nguồn được tạo ra:\n\n{translated_explanation}"
return response
def translate(self, text: str) -> str:
translator = GoogleTranslator(source="en", target="vi")
max_length = 5000
parts = [text[i : i + max_length] for i in range(0, len(text), max_length)]
translated_parts = [translator.translate(part) for part in parts]
return " ".join(translated_parts)
class WordChainGame:
def __init__(self):
self.used_words = set()
self.is_active = False
self.current_word = None
self.ai_prompt = """[SYSTEM: Bạn là trí tuệ nhân tạo chuyên về ngôn ngữ và trò chơi nối từ tiếng Việt. Nhiệm vụ của bạn là:
1. KIỂM TRA TÍNH HỢP LỆ CỦA TỪ NGƯỜI CHƠI:
- Phân tích xem cụm từ có phải là từ ghép có nghĩa trong tiếng Việt không
- Kiểm tra ngữ nghĩa và cách dùng phổ biến
- Đảm bảo không phải từ lóng, tiếng địa phương hoặc biệt ngữ
- Xác định tính logic và mối liên kết giữa các từ trong cụm
2. QUY TẮC NỐI TỪ THÔNG MINH:
- Lấy từ cuối của người chơi làm từ đầu trong cụm từ mới
- Tạo từ ghép có nghĩa rõ ràng, phổ biến trong tiếng Việt
- Ưu tiên các từ ghép:
+ Có tính kết nối cao (dễ nối tiếp)
+ Thuộc nhiều lĩnh vực khác nhau (đa dạng chủ đề)
+ Tạo sự thú vị và thách thức cho người chơi
3. PHÂN TÍCH VÀ PHẢN HỒI:
Nếu từ người chơi không hợp lệ, trả về: "INVALID: lý do"
Nếu từ hợp lệ, trả về từ ghép mới theo format: "VALID: từ_ghép_mới"
VÍ DỤ CHUẨN:
Người: "con người" (hợp lệ) -> "VALID: người dân"
Người: "dân tình" (hợp lệ) -> "VALID: tình cảm"
Người: "cảm xúc" (hợp lệ) -> "VALID: xúc động"
Người: "con ngừi" (không hợp lệ) -> "INVALID: từ viết sai chính tả"
Người: "xyz abc" (không hợp lệ) -> "INVALID: không phải từ ghép có nghĩa"
4. KIỂM TRA TRÙNG LẶP:
- Từ đã sử dụng: {used_words}
- KHÔNG được dùng lại bất kỳ từ nào trong danh sách
Từ hiện tại cần xử lý: "{current_word}"
OUTPUT FORMAT:
- Nếu hợp lệ: VALID: từ_ghép_mới
- Nếu không hợp lệ: INVALID: lý_do]"""
def make_move(self, word, gemini_response):
word = word.lower().strip()
# Kiểm tra nếu người dùng đầu hàng
if word in ["đầu hàng", "chịu thua", "thua"]:
# Tạo từ mới cho lượt chơi mới
new_word = self.generate_new_word(gemini_response)
self.is_active = True
self.used_words.clear()
self.current_word = new_word
return (
f"🎯 Kết thúc lượt chơi trước!\n🎮 Bắt đầu lượt mới với từ: {new_word}"
)
# Kiểm tra yêu cầu giải thích
if word.startswith("giải thích "):
word_to_explain = word.replace("giải thích ", "", 1).strip()
if (
word_to_explain in self.used_words
or word_to_explain == self.current_word
):
explanation_prompt = f"Giải thích ngắn gọn ý nghĩa và cách dùng của từ '{word_to_explain}' trong 2-3 câu"
explanation = gemini_response(explanation_prompt).strip()
return f"💡 {explanation}\n\nTừ cuối để nối tiếp: '{self.current_word.split()[-1]}'"
else:
return (