pyircbot/pyircbot/pyircbot.py

399 lines
14 KiB
Python
Raw Normal View History

2014-10-02 12:49:54 -07:00
"""
.. module:: PyIRCBot
:synopsis: Main IRC bot class
.. moduleauthor:: Dave Pedu <dave@davepedu.com>
"""
2013-12-28 09:58:20 -08:00
import logging
import sys
2015-06-18 19:29:46 -07:00
from pyircbot.rpc import BotRPC
from pyircbot.irccore import IRCCore
2016-11-06 15:00:15 -08:00
from collections import namedtuple
2017-04-26 23:07:47 -07:00
from socket import AF_INET, AF_INET6
2017-05-01 08:29:20 -07:00
from json import load
2014-09-09 21:06:55 -07:00
import os.path
import asyncio
2017-07-02 14:48:34 -07:00
import traceback
2013-12-28 09:58:20 -08:00
2016-11-06 15:00:15 -08:00
ParsedCommand = namedtuple("ParsedCommand", "command args args_str message")
2017-01-01 14:59:01 -08:00
class PyIRCBot(object):
2015-08-08 15:08:31 -07:00
""":param botconfig: The configuration of this instance of the bot. Passed by main.py.
:type botconfig: dict
"""
version = "4.1.0"
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def __init__(self, botconfig):
self.log = logging.getLogger('PyIRCBot')
"""Reference to logger object"""
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
"""saved copy of the instance config"""
self.botconfig = botconfig
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
"""storage of imported modules"""
self.modules = {}
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
"""instances of modules"""
self.moduleInstances = {}
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
"""Reference to BotRPC thread"""
self.rpc = BotRPC(self)
2016-11-06 15:00:15 -08:00
"""IRC protocol handler"""
self.irc = IRCCore(servers=self.botconfig["connection"]["servers"])
2017-04-26 23:07:47 -07:00
if self.botconfig.get("connection").get("force_ipv6", False):
self.irc.connection_family = AF_INET6
elif self.botconfig.get("connection").get("force_ipv4", False):
self.irc.connection_family = AF_INET
self.irc.bind_addr = self.botconfig.get("connection").get("bind", None)
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
# legacy support
self.act_PONG = self.irc.act_PONG
self.act_USER = self.irc.act_USER
self.act_NICK = self.irc.act_NICK
self.act_JOIN = self.irc.act_JOIN
self.act_PRIVMSG = self.irc.act_PRIVMSG
self.act_MODE = self.irc.act_MODE
self.act_ACTION = self.irc.act_ACTION
self.act_KICK = self.irc.act_KICK
2017-01-01 14:59:01 -08:00
self.act_QUIT = self.irc.act_QUIT
self.act_PASS = self.irc.act_PASS
self.get_nick = self.irc.get_nick
2015-08-08 15:08:31 -07:00
self.decodePrefix = IRCCore.decodePrefix
2016-11-06 15:00:15 -08:00
# Load modules
2015-08-08 15:08:31 -07:00
self.initModules()
2016-11-06 15:00:15 -08:00
2017-07-02 14:48:34 -07:00
# Internal usage hook
self.irc.addHook("PRIVMSG", self._hook_privmsg_internal)
def run(self):
self.loop = asyncio.get_event_loop()
2016-11-06 15:00:15 -08:00
self.client = asyncio.ensure_future(self.irc.loop(self.loop), loop=self.loop)
try:
self.loop.set_debug(True)
self.loop.run_until_complete(self.client)
finally:
logging.debug("Escaped main loop")
2016-11-06 15:00:15 -08:00
def disconnect(self, message):
"""Send quit message and disconnect from IRC.
2016-11-06 15:00:15 -08:00
:param message: Quit message
:type message: str
:param reconnect: True causes a reconnection attempt to be made after the disconnect
:type reconnect: bool
"""
self.log.info("disconnect")
self.kill(message=message)
2016-11-06 15:00:15 -08:00
def break_connection(self):
"""Break the connection, e.g. in the case of an unresponsive server"""
def kill(self, message="Help! Another thread is killing me :(", forever=True):
"""Close the connection violently
2016-11-06 15:00:15 -08:00
:param sys_exit: True causes sys.exit(0) to be called
:type sys_exit: bool
:param message: Quit message
:type message: str
"""
if forever:
self.closeAllModules()
asyncio.run_coroutine_threadsafe(self.irc.kill(message=message, forever=forever), self.loop)
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def initModules(self):
"""load modules specified in instance config"""
" append module location to path "
2017-01-01 14:59:01 -08:00
sys.path.append(os.path.dirname(__file__) + "/modules/")
2016-11-06 15:00:15 -08:00
2015-08-08 15:18:58 -07:00
" append usermodule dir to beginning of path"
for path in self.botconfig["bot"]["usermodules"]:
2017-01-01 14:59:01 -08:00
sys.path.insert(0, path + "/")
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
for modulename in self.botconfig["modules"]:
self.loadmodule(modulename)
2016-11-06 15:00:15 -08:00
2017-07-02 14:48:34 -07:00
def _hook_privmsg_internal(self, msg):
"""
IRC hook handler. Calling point for IRCHook based module hooks. This method is called when a PRIVMSG is
received. It tests all hooks in all modules against the message can calls the hooked function on hits.
"""
for module_name, module in self.moduleInstances.items():
for hook in module.irchooks:
if hook.hook.validate(msg, self):
hook.call(msg)
2015-08-08 15:08:31 -07:00
def importmodule(self, name):
"""Import a module
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param moduleName: Name of the module to import
:type moduleName: str"""
" check if already exists "
2017-01-01 14:59:01 -08:00
if name not in self.modules:
2016-11-06 15:00:15 -08:00
self.log.info("Importing %s" % name)
2015-08-08 15:08:31 -07:00
" attempt to load "
try:
moduleref = __import__(name)
2017-01-01 14:59:01 -08:00
self.modules[name] = moduleref
2015-08-08 15:08:31 -07:00
return (True, None)
except Exception as e:
" on failure (usually syntax error in Module code) print an error "
self.log.error("Module %s failed to load: " % name)
self.log.error("Module load failure reason: " + str(e))
2017-07-02 14:48:34 -07:00
traceback.print_exc()
2015-08-08 15:08:31 -07:00
return (False, str(e))
else:
self.log.warning("Module %s already imported" % name)
return (False, "Module already imported")
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def deportmodule(self, name):
"""Remove a module's code from memory. If the module is loaded it will be unloaded silently.
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param moduleName: Name of the module to import
:type moduleName: str"""
2016-11-06 15:00:15 -08:00
self.log.info("Deporting %s" % name)
2015-08-08 15:08:31 -07:00
" unload if necessary "
if name in self.moduleInstances:
self.unloadmodule(name)
" delete all references to the module"
if name in self.modules:
del self.modules[name]
" delete copy that python stores in sys.modules "
if name in sys.modules:
del sys.modules[name]
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def loadmodule(self, name):
"""Activate a module.
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param moduleName: Name of the module to activate
:type moduleName: str"""
" check if already loaded "
if name in self.moduleInstances:
2017-01-01 14:59:01 -08:00
self.log.warning("Module %s already loaded" % name)
2015-08-08 15:08:31 -07:00
return False
" check if needs to be imported, and verify it was "
2017-01-01 14:59:01 -08:00
if name not in self.modules:
2015-08-08 15:08:31 -07:00
importResult = self.importmodule(name)
if not importResult[0]:
return importResult
" init the module "
self.moduleInstances[name] = getattr(self.modules[name], name)(self, name)
" load hooks "
self.loadModuleHooks(self.moduleInstances[name])
2017-09-18 19:56:22 -07:00
self.moduleInstances[name].onenable()
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def unloadmodule(self, name):
"""Deactivate a module.
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param moduleName: Name of the module to deactivate
:type moduleName: str"""
if name in self.moduleInstances:
" notify the module of disabling "
self.moduleInstances[name].ondisable()
" unload all hooks "
self.unloadModuleHooks(self.moduleInstances[name])
2017-01-01 14:59:01 -08:00
" remove & delete the instance "
self.moduleInstances.pop(name)
self.log.info("Module %s unloaded" % name)
2015-08-08 15:08:31 -07:00
return (True, None)
else:
self.log.info("Module %s not loaded" % name)
return (False, "Module not loaded")
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def reloadmodule(self, name):
"""Deactivate and activate a module.
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param moduleName: Name of the target module
:type moduleName: str"""
" make sure it's imporeted"
if name in self.modules:
" remember if it was loaded before"
loadedbefore = name in self.moduleInstances
self.log.info("Reloading %s" % self.modules[name])
" unload "
self.unloadmodule(name)
" load "
if loadedbefore:
self.loadmodule(name)
return (True, None)
return (False, "Module is not loaded")
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def redomodule(self, name):
"""Reload a running module from disk
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param moduleName: Name of the target module
:type moduleName: str"""
" remember if it was loaded before "
loadedbefore = name in self.moduleInstances
" unload/deport "
self.deportmodule(name)
" import "
importResult = self.importmodule(name)
if not importResult[0]:
return importResult
" load "
if loadedbefore:
self.loadmodule(name)
return (True, None)
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def loadModuleHooks(self, module):
"""**Internal.** Enable (connect) hooks of a module
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param module: module object to hook in
:type module: object"""
" activate a module's hooks "
for hook in module.hooks:
if type(hook.hook) == list:
for hookcmd in hook.hook:
self.irc.addHook(hookcmd, hook.method)
else:
self.irc.addHook(hook.hook, hook.method)
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def unloadModuleHooks(self, module):
"""**Internal.** Disable (disconnect) hooks of a module
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param module: module object to unhook
:type module: object"""
" remove a modules hooks "
for hook in module.hooks:
if type(hook.hook) == list:
for hookcmd in hook.hook:
self.irc.removeHook(hookcmd, hook.method)
else:
self.irc.removeHook(hook.hook, hook.method)
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def getmodulebyname(self, name):
"""Get a module object by name
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param name: name of the module to return
:type name: str
:returns: object -- the module object"""
2017-01-01 14:59:01 -08:00
if name not in self.moduleInstances:
2015-08-08 15:08:31 -07:00
return None
return self.moduleInstances[name]
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def getmodulesbyservice(self, service):
2016-11-06 15:00:15 -08:00
"""Get a list of modules that provide the specified service
2015-08-08 15:08:31 -07:00
:param service: name of the service searched for
:type service: str
:returns: list -- a list of module objects"""
validModules = []
for module in self.moduleInstances:
if service in self.moduleInstances[module].services:
validModules.append(self.moduleInstances[module])
return validModules
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def getBestModuleForService(self, service):
2016-11-06 15:00:15 -08:00
"""Get the first module that provides the specified service
2015-08-08 15:08:31 -07:00
:param service: name of the service searched for
:type service: str
:returns: object -- the module object, if found. None if not found."""
m = self.getmodulesbyservice(service)
2017-01-01 14:59:01 -08:00
if len(m) > 0:
2015-08-08 15:08:31 -07:00
return m[0]
return None
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def closeAllModules(self):
""" Deport all modules (for shutdown). Modules are unloaded in the opposite order listed in the config. """
loaded = list(self.moduleInstances.keys())
loadOrder = self.botconfig["modules"]
loadOrder.reverse()
for key in loadOrder:
if key in loaded:
loaded.remove(key)
self.deportmodule(key)
for key in loaded:
self.deportmodule(key)
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
" Filesystem Methods "
def getDataPath(self, moduleName):
"""Return the absolute path for a module's data dir
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param moduleName: the module who's data dir we want
:type moduleName: str"""
2017-07-02 14:48:34 -07:00
module_dir = os.path.join(self.botconfig["bot"]["datadir"], "data", moduleName)
if not os.path.exists(module_dir):
os.mkdir(module_dir)
return module_dir
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
def getConfigPath(self, moduleName):
"""Return the absolute path for a module's config file
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param moduleName: the module who's config file we want
:type moduleName: str"""
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
basepath = "%s/config/%s" % (self.botconfig["bot"]["datadir"], moduleName)
2016-11-06 15:00:15 -08:00
2017-01-01 14:59:01 -08:00
if os.path.exists("%s.json" % basepath):
return "%s.json" % basepath
2015-08-08 15:08:31 -07:00
return None
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
" Utility methods "
@staticmethod
def messageHasCommand(command, message, requireArgs=False):
"""Check if a message has a command with or without args in it
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
:param command: the command string to look for, like !ban. If a list is passed, the first match is returned.
:type command: str or list
:param message: the message string to look in, like "!ban Lil_Mac"
:type message: str
:param requireArgs: if true, only validate if the command use has any amount of trailing text
:type requireArgs: bool"""
2016-11-06 15:00:15 -08:00
2017-01-01 14:59:01 -08:00
if not type(command) == list:
2015-08-08 15:08:31 -07:00
command = [command]
for item in command:
cmd = PyIRCBot.messageHasCommandSingle(item, message, requireArgs)
if cmd:
return cmd
return False
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
@staticmethod
def messageHasCommandSingle(command, message, requireArgs=False):
# Check if the message at least starts with the command
messageBeginning = message[0:len(command)]
2017-01-01 14:59:01 -08:00
if messageBeginning != command:
2015-08-08 15:08:31 -07:00
return False
# Make sure it's not a subset of a longer command (ie .meme being set off by .memes)
2017-01-01 14:59:01 -08:00
subsetCheck = message[len(command):len(command) + 1]
if subsetCheck != " " and subsetCheck != "":
2015-08-08 15:08:31 -07:00
return False
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
# We've got the command! Do we need args?
argsStart = len(command)
args = ""
if argsStart > 0:
2017-01-01 14:59:01 -08:00
args = message[argsStart + 1:]
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
if requireArgs and args.strip() == '':
return False
2016-11-06 15:00:15 -08:00
2015-08-08 15:08:31 -07:00
# Verified! Return the set.
2016-11-06 15:00:15 -08:00
return ParsedCommand(command,
args.split(" "),
args,
message)
2015-08-08 15:08:31 -07:00
@staticmethod
def load(filepath):
"""Return an object from the passed filepath
2016-11-06 15:00:15 -08:00
:param filepath: path to a json file. filename must end with .json
2015-08-08 15:08:31 -07:00
:type filepath: str
:Returns: | dict
"""
2016-11-06 15:00:15 -08:00
if filepath.endswith(".json"):
2017-05-01 08:29:20 -07:00
with open(filepath, 'r') as f:
return load(f)
2015-08-08 15:08:31 -07:00
else:
raise Exception("Unknown config format")