forked from daniilak/vk-like-remover
-
Notifications
You must be signed in to change notification settings - Fork 0
/
vk_manager.py
160 lines (137 loc) · 5.23 KB
/
vk_manager.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
import os
import json
import requests
import urllib
from base64 import b64encode
import os
from time import sleep
from dotenv import load_dotenv
from captcha_solver import CaptchaSolver
load_dotenv()
VK_TOKEN = os.getenv('VK_TOKEN')
class VKLikesManager:
"""
Класс для управления лайками в VK.
"""
def __init__(self) -> None:
"""
Инициализация VKLikesManager.
"""
try:
with open('input.json', 'r') as f:
filedata = f.read()
except Exception as e:
print(e)
exit()
if not filedata:
exit('Файл пустой')
if filedata[0] == "'":
filedata = filedata[1:-1]
try:
self.data = list(set(json.loads(filedata)))
except Exception as e:
print(e)
exit()
self.len_data = len(self.data)
print(f'Всего {self.len_data} шт')
def check_captcha(self, response: dict) -> tuple:
"""
Проверка на наличие капчи в ответе.
:param response: Ответ от VK API.
:return: URL изображения капчи и идентификатор капчи.
"""
if 'error' in response:
if response['error']['error_code'] == 14:
captcha_sid = response['error']['captcha_sid']
captcha_img = response['error']['captcha_img']
return captcha_img, captcha_sid
return None, None
@staticmethod
def get_base64_image(captcha_img: str) -> str:
"""
Получение изображения капчи в формате base64.
:param captcha_img: URL изображения капчи.
:return: Изображение капчи в формате base64.
"""
with urllib.request.urlopen(captcha_img) as response:
image_data = response.read()
return b64encode(image_data).decode('ascii')
def request_vk(
self,
owner_id: str,
post_id: str,
type_remove: str,
captcha_sid: str = '',
captcha_key: str = '',
) -> dict:
"""
Отправка запроса на удаление лайка в VK.
:param owner_id: ID владельца.
:param post_id: ID элемента.
:param captcha_sid: Идентификатор капчи.
:param captcha_key: Ключ капчи.
:return: Ответ от VK API.
"""
data = {
'access_token': VK_TOKEN,
'type': type_remove,
'owner_id': owner_id,
'item_id': post_id,
'v': 5.199,
}
if captcha_key:
data['captcha_key'] = captcha_key
if captcha_sid:
data['captcha_sid'] = captcha_sid
response = requests.post('https://api.vk.com/method/likes.delete', data=data)
return response.json()
def remove(self, owner_id: str, post_id: str, type_remove: str) -> bool:
"""
Удаление лайка с элемента.
:param owner_id: ID владельца.
:param post_id: ID элемента.
:return: Успешность операции.
"""
try:
response = self.request_vk(owner_id, post_id, type_remove)
except Exception as e:
print(e)
return False
captcha_img, captcha_sid = self.check_captcha(response)
if captcha_img and captcha_sid:
print('Капча')
c = CaptchaSolver(self.get_base64_image(captcha_img))
c.create_tasks()
captcha_key = c.wait_for_captcha()
response = self.request_vk(
owner_id, post_id, type_remove, captcha_sid, captcha_key
)
return True
def process_likes(self) -> None:
"""
Обработка всех лайков из списка данных. Ограничение 3 запроса в секунду. Не рекомендую использовать паралелльные запросы.
"""
item: str
for index, item in enumerate(self.data):
print(f'Обработка материала №{index+1} из {self.len_data} ')
if '?reply' in item:
item = item.replace('https://vk.com/wall', '')
owner_id, item_id = item.split('_')
item_id = item_id.split('?reply=')[1].split('&thread=')[0]
type_remove = 'comment'
elif '/photo' in item:
owner_id, item_id = item.replace('/photo', '').split('_')
type_remove = 'photo'
elif '/video' in item:
owner_id, item_id = item.replace('/video', '').split('_')
type_remove = 'video'
elif '/wall' in item:
owner_id, item_id = item.replace('/wall', '').split('_')
type_remove = 'post'
elif '/market' in item:
owner_id, item_id = item.split('product')[1].split('_')
type_remove = 'market'
else:
continue
self.remove(owner_id, item_id, type_remove)
sleep(.3)