-
-
Notifications
You must be signed in to change notification settings - Fork 37
/
bot.py
176 lines (151 loc) · 5.56 KB
/
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
import importlib
import multiprocessing
import os
import shutil
import sys
import traceback
from datetime import datetime
from time import sleep
from core.config import Config
from core.database import BotDBUtil, session, DBVersion
from core.logger import Logger
from core.path import cache_path
from core.utils.info import Info
ascii_art = r'''
._. _ .____ ._.
/\ | | (_) | _ \ | |
/ \ | | ____ _ _ __ _ | |_) | ___ | |_
/ /\ \ | |/ / _` | '__| | | _ < / _ \| __|
/ ____ \| < (_| | | | | | |_) | (_) | |_
/_/ \_\_|\_\__,_|_| |_| |____/ \___/ \__|
'''
encode = 'UTF-8'
bots_and_required_configs = {
'aiocqhttp': [
'qq_host',
'qq_account'],
'discord': ['discord_token'],
'aiogram': ['telegram_token'],
'kook': ['kook_token'],
'matrix': [
'matrix_homeserver',
'matrix_user',
'matrix_device_id',
'matrix_token'],
'api': [],
'ntqq': [
'qq_bot_appid',
'qq_bot_secret'],
}
class RestartBot(Exception):
pass
failed_to_start_attempts = {}
def init_bot():
base_superuser = Config('base_superuser', cfg_type=(str, list))
if base_superuser:
if isinstance(base_superuser, str):
base_superuser = [base_superuser]
for bu in base_superuser:
BotDBUtil.SenderInfo(bu).init()
BotDBUtil.SenderInfo(bu).edit('isSuperUser', True)
print(ascii_art)
def go(bot_name: str = None, subprocess: bool = False, binary_mode: bool = False):
Logger.info(f"[{bot_name}] Here we go!")
Info.subprocess = subprocess
Info.binary_mode = binary_mode
Logger.rename(bot_name)
try:
importlib.import_module(f"bots.{bot_name}.bot")
except ModuleNotFoundError:
Logger.error(f"[{bot_name}] ???, entry not found.")
sys.exit(1)
disabled_bots = Config('disabled_bots', [])
processes = []
def restart_process(bot_name: str):
if bot_name not in failed_to_start_attempts or datetime.now().timestamp() - failed_to_start_attempts[bot_name]['timestamp'] > 60:
failed_to_start_attempts[bot_name] = {}
failed_to_start_attempts[bot_name]['count'] = 0
failed_to_start_attempts[bot_name]['timestamp'] = datetime.now().timestamp()
failed_to_start_attempts[bot_name]['count'] += 1
failed_to_start_attempts[bot_name]['timestamp'] = datetime.now().timestamp()
if failed_to_start_attempts[bot_name]['count'] > 3:
Logger.error(f'Bot {bot_name} failed to start 3 times, abort to restart, please check the log.')
return
Logger.warning(f'Restarting bot {bot_name}...')
p = multiprocessing.Process(target=go, args=(bot_name, True, True if not sys.argv[0].endswith('.py') else False), name=bot_name)
p.start()
processes.append(p)
def run_bot():
if os.path.exists(cache_path):
shutil.rmtree(cache_path)
os.makedirs(cache_path, exist_ok=True)
envs = os.environ.copy()
envs['PYTHONIOENCODING'] = 'UTF-8'
envs['PYTHONPATH'] = os.path.abspath('.')
lst = bots_and_required_configs.keys()
for bl in lst:
if bl in disabled_bots:
continue
if bl in bots_and_required_configs:
abort = False
for c in bots_and_required_configs[bl]:
if not Config(c):
Logger.error(f'Bot {bl} requires config {c} but not found, abort to launch.')
abort = True
break
if abort:
continue
p = multiprocessing.Process(target=go, args=(bl, True, True if not sys.argv[0].endswith('.py') else False), name=bl)
p.start()
processes.append(p)
while True:
for p in processes:
if p.is_alive():
continue
else:
if p.exitcode == 233:
Logger.warning(f'{p.pid} ({p.name}) exited with code 233, restart all bots.')
raise RestartBot
else:
Logger.critical(f'Process {p.pid} ({p.name}) exited with code {p.exitcode}, please check the log.')
processes.remove(p)
p.terminate()
p.join()
restart_process(p.name)
break
if not processes:
break
sleep(1)
if __name__ == '__main__':
query_dbver = session.query(DBVersion).first()
if not query_dbver:
session.add_all([DBVersion(value=str(BotDBUtil.database_version))])
session.commit()
query_dbver = session.query(DBVersion).first()
if (current_ver := int(query_dbver.value)) < (target_ver := BotDBUtil.database_version):
Logger.info(f'Updating database from {current_ver} to {target_ver}...')
from core.database.update import update_database
update_database()
Logger.info('Database updated successfully!')
init_bot()
try:
while True:
try:
run_bot() # Process will block here so
Logger.critical('All bots exited unexpectedly, please check the output')
break
except RestartBot:
for ps in processes:
ps.terminate()
ps.join()
processes.clear()
continue
except Exception:
Logger.critical('An error occurred, please check the output.')
traceback.print_exc()
break
except (KeyboardInterrupt, SystemExit):
for ps in processes:
ps.terminate()
ps.join()
processes.clear()