nonebot2/none/__init__.py

154 lines
4.5 KiB
Python
Raw Normal View History

2018-07-02 08:54:29 +00:00
import asyncio
2018-06-14 22:58:24 +00:00
import importlib
import logging
2018-07-02 08:54:29 +00:00
import os
2018-06-14 22:58:24 +00:00
import re
2018-07-04 08:21:01 +00:00
from typing import Any, Optional
2018-06-14 22:58:24 +00:00
2018-10-15 17:03:50 +00:00
import aiocqhttp.message
2018-06-14 22:58:24 +00:00
from aiocqhttp import CQHttp
2018-07-02 08:54:29 +00:00
from .log import logger
2018-10-15 17:03:50 +00:00
from .sched import Scheduler
2018-08-26 02:05:42 +00:00
if Scheduler:
scheduler = Scheduler()
else:
scheduler = None
2018-06-14 22:58:24 +00:00
2018-07-04 01:28:31 +00:00
class NoneBot(CQHttp):
2018-10-15 17:03:50 +00:00
def __init__(self, config_object: Optional[Any] = None):
2018-07-04 08:21:01 +00:00
if config_object is None:
2018-07-06 06:24:18 +00:00
from . import default_config as config_object
2018-07-04 01:28:31 +00:00
2018-07-20 16:46:34 +00:00
config_dict = {k: v for k, v in config_object.__dict__.items()
if k.isupper() and not k.startswith('_')}
logger.debug(f'Loaded configurations: {config_dict}')
2018-10-15 17:03:50 +00:00
super().__init__(message_class=aiocqhttp.message.Message,
2018-07-20 16:46:34 +00:00
**{k.lower(): v for k, v in config_dict.items()})
2018-07-04 01:28:31 +00:00
2018-07-04 08:21:01 +00:00
self.config = config_object
self.asgi.debug = self.config.DEBUG
2018-06-14 22:58:24 +00:00
2018-07-04 08:21:01 +00:00
from .message import handle_message
from .notice_request import handle_notice_or_request
2018-06-14 22:58:24 +00:00
2018-07-04 08:21:01 +00:00
@self.on_message
async def _(ctx):
asyncio.ensure_future(handle_message(self, ctx))
@self.on_notice
async def _(ctx):
asyncio.ensure_future(handle_notice_or_request(self, ctx))
@self.on_request
async def _(ctx):
asyncio.ensure_future(handle_notice_or_request(self, ctx))
2018-10-15 17:03:50 +00:00
def run(self, host: Optional[str] = None, port: Optional[int] = None,
*args, **kwargs) -> None:
host = host or self.config.HOST
port = port or self.config.PORT
if 'debug' not in kwargs:
kwargs['debug'] = self.config.DEBUG
2018-07-20 16:46:34 +00:00
logger.info(f'Running on {host}:{port}')
2018-07-04 08:21:01 +00:00
super().run(host=host, port=port, loop=asyncio.get_event_loop(),
*args, **kwargs)
2018-07-06 06:24:18 +00:00
_bot: Optional[NoneBot] = None
2018-07-04 08:21:01 +00:00
2018-10-15 17:03:50 +00:00
def init(config_object: Optional[Any] = None) -> None:
2018-07-04 11:50:42 +00:00
"""
Initialize NoneBot instance.
This function must be called at the very beginning of code,
otherwise the get_bot() function will return None and nothing
is gonna work properly.
:param config_object: configuration object
"""
2018-07-04 08:21:01 +00:00
global _bot
_bot = NoneBot(config_object)
2018-08-26 05:44:54 +00:00
2018-07-04 08:21:01 +00:00
if _bot.config.DEBUG:
2018-06-14 22:58:24 +00:00
logger.setLevel(logging.DEBUG)
else:
logger.setLevel(logging.INFO)
2018-08-26 05:44:54 +00:00
if scheduler and not scheduler.running:
scheduler.configure(_bot.config.APSCHEDULER_CONFIG)
scheduler.start()
2018-07-04 01:28:31 +00:00
2018-07-04 08:21:01 +00:00
def get_bot() -> NoneBot:
2018-07-04 11:50:42 +00:00
"""
Get the NoneBot instance.
2018-07-21 13:59:43 +00:00
The result is ensured to be not None, otherwise an exception will
be raised.
2018-07-04 11:50:42 +00:00
:raise ValueError: instance not initialized
"""
2018-07-04 08:21:01 +00:00
if _bot is None:
raise ValueError('NoneBot instance has not been initialized')
return _bot
2018-06-14 22:58:24 +00:00
2018-10-15 17:03:50 +00:00
def run(host: Optional[str] = None, port: Optional[int] = None,
*args, **kwargs) -> None:
2018-07-04 11:50:42 +00:00
"""Run the NoneBot instance."""
2018-07-04 08:21:01 +00:00
get_bot().run(host=host, port=port, *args, **kwargs)
2018-06-14 22:58:24 +00:00
_plugins = set()
2018-07-01 12:01:05 +00:00
def load_plugins(plugin_dir: str, module_prefix: str) -> None:
2018-07-20 16:46:34 +00:00
"""
Find all non-hidden modules or packages in a given directory,
and import them with the given module prefix.
:param plugin_dir: plugin directory to search
:param module_prefix: module prefix used while importing
"""
2018-06-26 02:25:11 +00:00
for name in os.listdir(plugin_dir):
path = os.path.join(plugin_dir, name)
2018-06-14 22:58:24 +00:00
if os.path.isfile(path) and \
2018-06-26 02:25:11 +00:00
(name.startswith('_') or not name.endswith('.py')):
2018-06-14 22:58:24 +00:00
continue
if os.path.isdir(path) and \
2018-06-26 02:25:11 +00:00
(name.startswith('_') or not os.path.exists(
2018-06-14 22:58:24 +00:00
os.path.join(path, '__init__.py'))):
continue
2018-06-26 02:25:11 +00:00
m = re.match(r'([_A-Z0-9a-z]+)(.py)?', name)
2018-06-14 22:58:24 +00:00
if not m:
continue
2018-06-26 02:25:11 +00:00
mod_name = f'{module_prefix}.{m.group(1)}'
2018-06-14 22:58:24 +00:00
try:
_plugins.add(importlib.import_module(mod_name))
2018-07-20 16:46:34 +00:00
logger.info(f'Succeeded to import "{mod_name}"')
2018-06-14 22:58:24 +00:00
except ImportError:
2018-07-20 16:46:34 +00:00
logger.warning(f'Failed to import "{mod_name}"')
2018-06-26 02:25:11 +00:00
2018-07-01 12:01:05 +00:00
def load_builtin_plugins() -> None:
2018-07-20 16:46:34 +00:00
"""
Load built-in plugins distributed along with "none" package.
"""
2018-06-26 02:25:11 +00:00
plugin_dir = os.path.join(os.path.dirname(__file__), 'plugins')
load_plugins(plugin_dir, 'none.plugins')
2018-06-27 14:05:12 +00:00
2018-10-15 17:03:50 +00:00
from .exceptions import *
from .message import message_preprocessor, Message, MessageSegment
2018-07-01 03:01:24 +00:00
from .command import on_command, CommandSession, CommandGroup
2018-07-01 09:51:01 +00:00
from .natural_language import on_natural_language, NLPSession, NLPResult
from .notice_request import (on_notice, NoticeSession,
on_request, RequestSession)