MatrixGPT/main.py

159 lines
5.6 KiB
Python
Raw Normal View History

2023-03-18 02:14:45 -06:00
#!/usr/bin/env python3
import argparse
import asyncio
import logging
import os
2024-04-07 19:41:19 -06:00
import signal
2023-03-18 02:14:45 -06:00
import sys
import time
import traceback
from pathlib import Path
from aiohttp import ClientConnectionError, ServerDisconnectedError
2024-04-07 19:41:19 -06:00
from bison.errors import SchemeValidationError
from nio import InviteMemberEvent, JoinResponse, MegolmEvent, RoomMessageText, UnknownEvent
2023-03-18 02:14:45 -06:00
2024-04-07 19:41:19 -06:00
from matrix_gpt import MatrixClientHelper
from matrix_gpt.callbacks import MatrixBotCallbacks
from matrix_gpt.config import global_config
2023-03-18 02:14:45 -06:00
2024-04-07 19:41:19 -06:00
SCRIPT_DIR = os.path.abspath(os.path.dirname(__file__))
2023-03-18 02:14:45 -06:00
logging.basicConfig()
logger = logging.getLogger('MatrixGPT')
parser = argparse.ArgumentParser(description='MatrixGPT Bot')
2024-04-07 19:41:19 -06:00
parser.add_argument('--config', default=Path(SCRIPT_DIR, 'config.yaml'), help='Path to config.yaml if it is not located next to this executable.')
2023-03-18 02:14:45 -06:00
args = parser.parse_args()
# Load config
2024-04-07 19:41:19 -06:00
args.config = Path(args.config)
if not args.config.exists():
logger.critical('Config file does not exist:', args.config)
2023-03-18 02:14:45 -06:00
sys.exit(1)
2024-04-07 19:41:19 -06:00
global_config.load(args.config)
try:
global_config.validate()
except SchemeValidationError as e:
logger.critical(f'Config validation error: {e}')
sys.exit(1)
2023-03-18 02:14:45 -06:00
def retry(msg=None):
if msg:
logger.warning(f'{msg}, retrying in 15s...')
else:
logger.warning(f'Retrying in 15s...')
time.sleep(15)
async def main():
if global_config['logging']['log_level'] == 'info':
2023-03-19 15:22:05 -06:00
log_level = logging.INFO
elif global_config['logging']['log_level'] == 'debug':
2023-03-19 15:22:05 -06:00
log_level = logging.DEBUG
elif global_config['logging']['log_level'] == 'warning':
2023-03-19 15:22:05 -06:00
log_level = logging.WARNING
elif global_config['logging']['log_level'] == 'critical':
2023-03-19 15:22:05 -06:00
log_level = logging.CRITICAL
else:
log_level = logging.INFO
logger.setLevel(log_level)
l = logger.getEffectiveLevel()
if l == 10:
logger.debug('Log level is DEBUG')
elif l == 20:
logger.info('Log level is INFO')
elif l == 30:
logger.warning('Log level is WARNING')
elif l == 40:
logger.error('Log level is ERROR')
elif l == 50:
logger.critical('Log level is CRITICAL')
else:
logger.info(f'Log level is {l}')
del l
2024-04-07 19:41:19 -06:00
logger.debug(f'Command Prefixes: {[k for k, v in global_config.command_prefixes.items()]}')
2024-04-07 19:41:19 -06:00
client_helper = MatrixClientHelper(
user_id=global_config['auth']['username'],
passwd=global_config['auth']['password'],
homeserver=global_config['auth']['homeserver'],
store_path=global_config['store_path'],
device_id=global_config['auth']['device_id']
2023-03-19 15:24:02 -06:00
)
2024-04-07 19:41:19 -06:00
client = client_helper.client
2023-03-18 02:14:45 -06:00
if global_config['openai'].get('api_base'):
logger.info(f'Set OpenAI API base URL to: {global_config["openai"].get("api_base")}')
2023-03-18 02:14:45 -06:00
# Set up event callbacks
2024-04-07 19:41:19 -06:00
callbacks = MatrixBotCallbacks(client=client_helper)
client.add_event_callback(callbacks.handle_message, RoomMessageText)
client.add_event_callback(callbacks.handle_invite, InviteMemberEvent)
2023-03-18 02:14:45 -06:00
client.add_event_callback(callbacks.decryption_failure, MegolmEvent)
client.add_event_callback(callbacks.unknown, UnknownEvent)
2024-04-07 19:41:19 -06:00
# TODO: multimedia mode?
# RoomMessageImage
2023-03-18 02:14:45 -06:00
# Keep trying to reconnect on failure (with some time in-between)
while True:
try:
logger.info('Logging in...')
while True:
2024-04-07 19:41:19 -06:00
login_success, login_response = await client_helper.login()
if not login_success:
if 'M_LIMIT_EXCEEDED' in str(login_response):
try:
wait = int((int(str(login_response).split(' ')[-1][:-2]) / 1000) / 2) # only wait half the ratelimited time
logger.error(f'Ratelimited, sleeping {wait}s...')
time.sleep(wait)
except:
2023-09-15 22:49:00 -06:00
logger.error(f'Could not parse M_LIMIT_EXCEEDED: {login_response}')
else:
logger.error(f'Failed to login, retrying: {login_response}')
time.sleep(5)
else:
break
2023-03-18 02:14:45 -06:00
# Login succeeded!
2024-04-07 19:41:19 -06:00
logger.info(f'Logged in as {client.user_id}')
if global_config.get('autojoin_rooms'):
for room in global_config.get('autojoin_rooms'):
2023-03-18 02:14:45 -06:00
r = await client.join(room)
if not isinstance(r, JoinResponse):
logger.critical(f'Failed to join room {room}: {vars(r)}')
2023-03-18 13:05:00 -06:00
time.sleep(1.5)
2024-04-07 19:41:19 -06:00
logger.info('Performing initial sync...')
last_sync = (await client_helper.sync()).next_batch
client_helper.run_sync_in_bg() # start a background thread to record our sync tokens
logger.info('Bot is active')
await client.sync_forever(timeout=10000, full_state=True, since=last_sync)
2023-03-18 02:14:45 -06:00
except (ClientConnectionError, ServerDisconnectedError):
logger.warning("Unable to connect to homeserver, retrying in 15s...")
time.sleep(15)
2023-03-18 13:32:04 -06:00
except KeyboardInterrupt:
await client.close()
2024-04-07 19:41:19 -06:00
os.kill(os.getpid(), signal.SIGTERM)
2023-03-18 13:05:00 -06:00
except Exception:
logger.critical(traceback.format_exc())
logger.critical('Sleeping 5s...')
time.sleep(5)
2023-03-18 02:14:45 -06:00
if __name__ == "__main__":
while True:
try:
asyncio.run(main())
2023-03-18 15:54:00 -06:00
except KeyboardInterrupt:
2024-04-07 19:41:19 -06:00
os.kill(os.getpid(), signal.SIGTERM)
2023-03-18 02:14:45 -06:00
except Exception:
logger.critical(traceback.format_exc())
2023-03-18 03:21:03 -06:00
time.sleep(5)