2015-12-07 02:40:13 +01:00
|
|
|
"""
|
|
|
|
classes.py - Base classes for PyLink IRC Services.
|
|
|
|
|
|
|
|
This module contains the base classes used by PyLink, including threaded IRC
|
|
|
|
connections and objects used to represent IRC servers, users, and channels.
|
|
|
|
|
|
|
|
Here be dragons.
|
|
|
|
"""
|
|
|
|
|
2015-07-18 07:52:55 +02:00
|
|
|
import threading
|
|
|
|
from random import randint
|
2015-08-26 05:37:15 +02:00
|
|
|
import time
|
|
|
|
import socket
|
|
|
|
import threading
|
|
|
|
import ssl
|
|
|
|
import hashlib
|
2015-09-13 22:47:04 +02:00
|
|
|
from copy import deepcopy
|
2016-05-01 01:54:11 +02:00
|
|
|
import inspect
|
2015-07-08 03:07:20 +02:00
|
|
|
|
2016-06-21 03:18:54 +02:00
|
|
|
from . import world, utils, structures
|
|
|
|
from .log import *
|
2015-08-26 05:37:15 +02:00
|
|
|
|
|
|
|
### Exceptions
|
|
|
|
|
|
|
|
class ProtocolError(Exception):
|
|
|
|
pass
|
|
|
|
|
|
|
|
### Internal classes (users, servers, channels)
|
|
|
|
|
|
|
|
class Irc():
|
2015-12-07 02:40:13 +01:00
|
|
|
"""Base IRC object for PyLink."""
|
|
|
|
|
|
|
|
def __init__(self, netname, proto, conf):
|
|
|
|
"""
|
|
|
|
Initializes an IRC object. This takes 3 variables: the network name
|
|
|
|
(a string), the name of the protocol module to use for this connection,
|
|
|
|
and a configuration object.
|
|
|
|
"""
|
2016-01-31 08:33:03 +01:00
|
|
|
self.loghandlers = []
|
2016-04-02 21:10:56 +02:00
|
|
|
self.name = netname
|
2015-12-07 02:40:13 +01:00
|
|
|
self.conf = conf
|
|
|
|
self.serverdata = conf['servers'][netname]
|
|
|
|
self.sid = self.serverdata["sid"]
|
|
|
|
self.botdata = conf['bot']
|
2016-04-08 01:06:35 +02:00
|
|
|
self.bot_clients = {}
|
2015-12-07 02:40:13 +01:00
|
|
|
self.protoname = proto.__name__
|
|
|
|
self.proto = proto.Class(self)
|
2016-06-25 03:13:30 +02:00
|
|
|
self.pingfreq = self.serverdata.get('pingfreq') or 90
|
|
|
|
self.pingtimeout = self.pingfreq * 2
|
2015-12-07 02:40:13 +01:00
|
|
|
|
|
|
|
self.connected = threading.Event()
|
|
|
|
self.aborted = threading.Event()
|
|
|
|
|
2016-06-21 19:54:07 +02:00
|
|
|
self.pingTimer = None
|
|
|
|
|
2016-03-25 22:54:29 +01:00
|
|
|
self.initVars()
|
|
|
|
|
2015-12-07 02:40:13 +01:00
|
|
|
if world.testing:
|
|
|
|
# HACK: Don't thread if we're running tests.
|
|
|
|
self.connect()
|
|
|
|
else:
|
2016-01-10 04:38:27 +01:00
|
|
|
self.connection_thread = threading.Thread(target=self.connect,
|
|
|
|
name="Listener for %s" %
|
|
|
|
self.name)
|
2015-12-07 02:40:13 +01:00
|
|
|
self.connection_thread.start()
|
|
|
|
|
2016-01-23 22:13:38 +01:00
|
|
|
def logSetup(self):
|
|
|
|
"""
|
|
|
|
Initializes any channel loggers defined for the current network.
|
|
|
|
"""
|
|
|
|
try:
|
|
|
|
channels = self.conf['logging']['channels'][self.name]
|
|
|
|
except KeyError: # Not set up; just ignore.
|
|
|
|
return
|
|
|
|
|
|
|
|
log.debug('(%s) Setting up channel logging to channels %r', self.name,
|
|
|
|
channels)
|
2016-01-31 08:33:03 +01:00
|
|
|
|
|
|
|
if not self.loghandlers:
|
|
|
|
# Only create handlers if they haven't already been set up.
|
|
|
|
|
|
|
|
for channel, chandata in channels.items():
|
|
|
|
# Fetch the log level for this channel block.
|
|
|
|
level = None
|
|
|
|
if chandata is not None:
|
|
|
|
level = chandata.get('loglevel')
|
|
|
|
|
|
|
|
handler = PyLinkChannelLogger(self, channel, level=level)
|
|
|
|
self.loghandlers.append(handler)
|
|
|
|
log.addHandler(handler)
|
2016-01-23 22:13:38 +01:00
|
|
|
|
2015-08-26 05:37:15 +02:00
|
|
|
def initVars(self):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""
|
|
|
|
(Re)sets an IRC object to its default state. This should be called when
|
|
|
|
an IRC object is first created, and on every reconnection to a network.
|
|
|
|
"""
|
2015-10-03 08:07:57 +02:00
|
|
|
self.sid = self.serverdata["sid"]
|
|
|
|
self.botdata = self.conf['bot']
|
2016-06-25 03:13:30 +02:00
|
|
|
self.pingfreq = self.serverdata.get('pingfreq') or 90
|
2016-06-06 16:34:48 +02:00
|
|
|
self.pingtimeout = self.pingfreq * 3
|
2015-10-03 08:07:57 +02:00
|
|
|
|
2015-09-03 07:05:47 +02:00
|
|
|
self.connected.clear()
|
|
|
|
self.aborted.clear()
|
2015-08-26 05:37:15 +02:00
|
|
|
self.pseudoclient = None
|
|
|
|
self.lastping = time.time()
|
2015-09-03 07:05:47 +02:00
|
|
|
|
2015-09-26 18:05:44 +02:00
|
|
|
# Internal variable to set the place the last command was called (in PM
|
|
|
|
# or in a channel), used by fantasy command support.
|
|
|
|
self.called_by = None
|
|
|
|
|
2015-12-07 02:40:13 +01:00
|
|
|
# Intialize the server, channel, and user indexes to be populated by
|
|
|
|
# our protocol module. For the server index, we can add ourselves right
|
|
|
|
# now.
|
2015-09-12 19:39:05 +02:00
|
|
|
self.servers = {self.sid: IrcServer(None, self.serverdata['hostname'],
|
|
|
|
internal=True, desc=self.serverdata.get('serverdesc')
|
|
|
|
or self.botdata['serverdesc'])}
|
2015-08-26 05:37:15 +02:00
|
|
|
self.users = {}
|
2016-04-25 06:11:36 +02:00
|
|
|
self.channels = structures.KeyedDefaultdict(IrcChannel)
|
2015-12-07 02:40:13 +01:00
|
|
|
|
|
|
|
# This sets the list of supported channel and user modes: the default
|
|
|
|
# RFC1459 modes are implied. Named modes are used here to make
|
|
|
|
# protocol-independent code easier to write, as mode chars vary by
|
|
|
|
# IRCd.
|
|
|
|
# Protocol modules should add to and/or replace this with what their
|
|
|
|
# protocol supports. This can be a hardcoded list or something
|
|
|
|
# negotiated on connect, depending on the nature of their protocol.
|
2015-08-26 05:37:15 +02:00
|
|
|
self.cmodes = {'op': 'o', 'secret': 's', 'private': 'p',
|
|
|
|
'noextmsg': 'n', 'moderated': 'm', 'inviteonly': 'i',
|
|
|
|
'topiclock': 't', 'limit': 'l', 'ban': 'b',
|
|
|
|
'voice': 'v', 'key': 'k',
|
2015-12-07 02:40:13 +01:00
|
|
|
# This fills in the type of mode each mode character is.
|
|
|
|
# A-type modes are list modes (i.e. bans, ban exceptions, etc.),
|
|
|
|
# B-type modes require an argument to both set and unset,
|
|
|
|
# but there can only be one value at a time
|
|
|
|
# (i.e. cmode +k).
|
|
|
|
# C-type modes require an argument to set but not to unset
|
|
|
|
# (one sets "+l limit" and # "-l"),
|
|
|
|
# and D-type modes take no arguments at all.
|
2015-08-26 05:37:15 +02:00
|
|
|
'*A': 'b',
|
|
|
|
'*B': 'k',
|
|
|
|
'*C': 'l',
|
|
|
|
'*D': 'imnpstr'}
|
|
|
|
self.umodes = {'invisible': 'i', 'snomask': 's', 'wallops': 'w',
|
|
|
|
'oper': 'o',
|
|
|
|
'*A': '', '*B': '', '*C': 's', '*D': 'iow'}
|
|
|
|
|
|
|
|
# This max nick length starts off as the config value, but may be
|
|
|
|
# overwritten later by the protocol module if such information is
|
|
|
|
# received. Note that only some IRCds (InspIRCd) give us nick length
|
|
|
|
# during link, so it is still required that the config value be set!
|
|
|
|
self.maxnicklen = self.serverdata['maxnicklen']
|
2015-12-07 02:40:13 +01:00
|
|
|
|
|
|
|
# Defines a list of supported prefix modes.
|
2015-08-26 05:37:15 +02:00
|
|
|
self.prefixmodes = {'o': '@', 'v': '+'}
|
|
|
|
|
2015-12-07 02:40:13 +01:00
|
|
|
# Defines the uplink SID (to be filled in by protocol module).
|
2015-08-26 05:37:15 +02:00
|
|
|
self.uplink = None
|
|
|
|
self.start_ts = int(time.time())
|
|
|
|
|
2016-01-23 22:13:38 +01:00
|
|
|
# Set up channel logging for the network
|
|
|
|
self.logSetup()
|
|
|
|
|
2015-08-26 05:37:15 +02:00
|
|
|
def connect(self):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""
|
|
|
|
Runs the connect loop for the IRC object. This is usually called by
|
|
|
|
__init__ in a separate thread to allow multiple concurrent connections.
|
|
|
|
"""
|
2015-08-26 05:37:15 +02:00
|
|
|
while True:
|
2016-03-26 01:14:16 +01:00
|
|
|
self.initVars()
|
2015-10-03 08:07:57 +02:00
|
|
|
ip = self.serverdata["ip"]
|
|
|
|
port = self.serverdata["port"]
|
2015-08-26 05:37:15 +02:00
|
|
|
checks_ok = True
|
|
|
|
try:
|
2015-12-07 02:40:13 +01:00
|
|
|
# Set the socket type (IPv6 or IPv4).
|
2015-10-03 08:17:57 +02:00
|
|
|
stype = socket.AF_INET6 if self.serverdata.get("ipv6") else socket.AF_INET
|
2015-12-07 02:40:13 +01:00
|
|
|
|
|
|
|
# Creat the socket.
|
2015-10-03 08:17:57 +02:00
|
|
|
self.socket = socket.socket(stype)
|
2015-08-26 05:37:15 +02:00
|
|
|
self.socket.setblocking(0)
|
2015-12-07 02:40:13 +01:00
|
|
|
|
|
|
|
# Set the connection timeouts. Initial connection timeout is a
|
|
|
|
# lot smaller than the timeout after we've connected; this is
|
|
|
|
# intentional.
|
2015-08-26 05:37:15 +02:00
|
|
|
self.socket.settimeout(self.pingfreq)
|
2015-12-07 02:40:13 +01:00
|
|
|
|
2016-06-11 20:29:11 +02:00
|
|
|
# Resolve hostnames if it's not an IP address already.
|
|
|
|
old_ip = ip
|
|
|
|
ip = socket.getaddrinfo(ip, port, stype)[0][-1][0]
|
|
|
|
log.debug('(%s) Resolving address %s to %s', self.name, old_ip, ip)
|
|
|
|
|
2015-12-07 02:40:13 +01:00
|
|
|
# Enable SSL if set to do so. This requires a valid keyfile and
|
|
|
|
# certfile to be present.
|
2015-08-26 05:37:15 +02:00
|
|
|
self.ssl = self.serverdata.get('ssl')
|
|
|
|
if self.ssl:
|
|
|
|
log.info('(%s) Attempting SSL for this connection...', self.name)
|
|
|
|
certfile = self.serverdata.get('ssl_certfile')
|
|
|
|
keyfile = self.serverdata.get('ssl_keyfile')
|
|
|
|
if certfile and keyfile:
|
|
|
|
try:
|
2016-06-26 19:02:27 +02:00
|
|
|
context = ssl.SSLContext(ssl.PROTOCOL_SSLv23)
|
|
|
|
# Disable SSLv2 and SSLv3 - these are insecure
|
|
|
|
context.options |= ssl.OP_NO_SSLv2
|
|
|
|
context.options |= ssl.OP_NO_SSLv3
|
|
|
|
context.load_cert_chain(certfile, keyfile)
|
|
|
|
self.socket = context.wrap_socket(self.socket)
|
|
|
|
|
2015-08-26 05:37:15 +02:00
|
|
|
except OSError:
|
|
|
|
log.exception('(%s) Caught OSError trying to '
|
|
|
|
'initialize the SSL connection; '
|
|
|
|
'are "ssl_certfile" and '
|
|
|
|
'"ssl_keyfile" set correctly?',
|
|
|
|
self.name)
|
|
|
|
checks_ok = False
|
2015-12-07 02:40:13 +01:00
|
|
|
else: # SSL was misconfigured, abort.
|
2015-08-26 05:37:15 +02:00
|
|
|
log.error('(%s) SSL certfile/keyfile was not set '
|
|
|
|
'correctly, aborting... ', self.name)
|
|
|
|
checks_ok = False
|
2015-12-07 02:40:13 +01:00
|
|
|
|
2015-08-26 05:37:15 +02:00
|
|
|
log.info("Connecting to network %r on %s:%s", self.name, ip, port)
|
|
|
|
self.socket.connect((ip, port))
|
|
|
|
self.socket.settimeout(self.pingtimeout)
|
|
|
|
|
2015-12-07 02:40:13 +01:00
|
|
|
# If SSL was enabled, optionally verify the certificate
|
|
|
|
# fingerprint for some added security. I don't bother to check
|
|
|
|
# the entire certificate for validity, since most IRC networks
|
|
|
|
# self-sign their certificates anyways.
|
2015-08-26 05:37:15 +02:00
|
|
|
if self.ssl and checks_ok:
|
|
|
|
peercert = self.socket.getpeercert(binary_form=True)
|
2016-01-31 08:04:13 +01:00
|
|
|
|
|
|
|
# Hash type is configurable using the ssl_fingerprint_type
|
|
|
|
# value, and defaults to sha256.
|
|
|
|
hashtype = self.serverdata.get('ssl_fingerprint_type', 'sha256').lower()
|
|
|
|
|
|
|
|
try:
|
|
|
|
hashfunc = getattr(hashlib, hashtype)
|
|
|
|
except AttributeError:
|
|
|
|
log.error('(%s) Unsupported SSL certificate fingerprint type %r given, disconnecting...',
|
|
|
|
self.name, hashtype)
|
|
|
|
checks_ok = False
|
2015-08-26 05:37:15 +02:00
|
|
|
else:
|
2016-01-31 08:04:13 +01:00
|
|
|
fp = hashfunc(peercert).hexdigest()
|
|
|
|
expected_fp = self.serverdata.get('ssl_fingerprint')
|
|
|
|
|
|
|
|
if expected_fp and checks_ok:
|
|
|
|
if fp != expected_fp:
|
|
|
|
# SSL Fingerprint doesn't match; break.
|
|
|
|
log.error('(%s) Uplink\'s SSL certificate '
|
|
|
|
'fingerprint (%s) does not match the '
|
|
|
|
'one configured: expected %r, got %r; '
|
|
|
|
'disconnecting...', self.name, hashtype,
|
|
|
|
expected_fp, fp)
|
|
|
|
checks_ok = False
|
|
|
|
else:
|
|
|
|
log.info('(%s) Uplink SSL certificate fingerprint '
|
|
|
|
'(%s) verified: %r', self.name, hashtype,
|
|
|
|
fp)
|
|
|
|
else:
|
2016-03-08 05:30:24 +01:00
|
|
|
log.info('(%s) Uplink\'s SSL certificate fingerprint (%s) '
|
2016-01-31 08:04:13 +01:00
|
|
|
'is %r. You can enhance the security of your '
|
|
|
|
'link by specifying this in a "ssl_fingerprint"'
|
|
|
|
' option in your server block.', self.name,
|
|
|
|
hashtype, fp)
|
2015-08-26 05:37:15 +02:00
|
|
|
|
|
|
|
if checks_ok:
|
2015-12-07 02:40:13 +01:00
|
|
|
# All our checks passed, get the protocol module to connect
|
|
|
|
# and run the listen loop.
|
2015-09-06 03:00:57 +02:00
|
|
|
self.proto.connect()
|
2016-01-06 04:35:16 +01:00
|
|
|
log.info('(%s) Starting ping schedulers....', self.name)
|
|
|
|
self.schedulePing()
|
2015-08-26 05:37:15 +02:00
|
|
|
log.info('(%s) Server ready; listening for data.', self.name)
|
|
|
|
self.run()
|
2015-12-07 02:40:13 +01:00
|
|
|
else: # Configuration error :(
|
2015-08-26 05:37:15 +02:00
|
|
|
log.error('(%s) A configuration error was encountered '
|
|
|
|
'trying to set up this connection. Please check'
|
|
|
|
' your configuration file and try again.',
|
|
|
|
self.name)
|
|
|
|
except (socket.error, ProtocolError, ConnectionError) as e:
|
2015-12-07 02:40:13 +01:00
|
|
|
# self.run() or the protocol module it called raised an
|
|
|
|
# exception, meaning we've disconnected!
|
2016-04-26 04:14:34 +02:00
|
|
|
log.error('(%s) Disconnected from IRC: %s: %s',
|
|
|
|
self.name, type(e).__name__, str(e))
|
2016-01-10 05:23:23 +01:00
|
|
|
|
2016-06-15 19:55:47 +02:00
|
|
|
self.disconnect()
|
2015-12-07 02:40:13 +01:00
|
|
|
|
2016-01-10 04:38:27 +01:00
|
|
|
# Internal hook signifying that a network has disconnected.
|
|
|
|
self.callHooks([None, 'PYLINK_DISCONNECT', {}])
|
2015-12-07 02:40:13 +01:00
|
|
|
|
|
|
|
# If autoconnect is enabled, loop back to the start. Otherwise,
|
|
|
|
# return and stop.
|
2015-08-26 05:37:15 +02:00
|
|
|
autoconnect = self.serverdata.get('autoconnect')
|
|
|
|
log.debug('(%s) Autoconnect delay set to %s seconds.', self.name, autoconnect)
|
2015-10-03 08:20:59 +02:00
|
|
|
if autoconnect is not None and autoconnect >= 1:
|
2015-08-26 05:37:15 +02:00
|
|
|
log.info('(%s) Going to auto-reconnect in %s seconds.', self.name, autoconnect)
|
|
|
|
time.sleep(autoconnect)
|
|
|
|
else:
|
2015-10-03 08:20:59 +02:00
|
|
|
log.info('(%s) Stopping connect loop (autoconnect value %r is < 1).', self.name, autoconnect)
|
2015-08-26 05:37:15 +02:00
|
|
|
return
|
|
|
|
|
2016-01-10 04:38:27 +01:00
|
|
|
def disconnect(self):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""Handle disconnects from the remote server."""
|
2016-01-10 04:38:27 +01:00
|
|
|
|
2016-06-15 19:55:47 +02:00
|
|
|
log.debug('(%s) disconnect: Clearing self.connected state.', self.name)
|
2015-08-26 05:37:15 +02:00
|
|
|
self.connected.clear()
|
2016-01-10 04:38:27 +01:00
|
|
|
|
2016-01-31 08:33:03 +01:00
|
|
|
log.debug('(%s) Removing channel logging handlers due to disconnect.', self.name)
|
|
|
|
while self.loghandlers:
|
|
|
|
log.removeHandler(self.loghandlers.pop())
|
2016-01-23 22:13:38 +01:00
|
|
|
|
2015-08-26 05:37:15 +02:00
|
|
|
try:
|
2016-06-15 19:55:47 +02:00
|
|
|
log.debug('(%s) disconnect: Shutting down socket.', self.name)
|
2016-01-10 04:38:27 +01:00
|
|
|
self.socket.shutdown(socket.SHUT_RDWR)
|
2015-08-26 05:37:15 +02:00
|
|
|
except: # Socket timed out during creation; ignore
|
2016-03-26 01:03:25 +01:00
|
|
|
pass
|
|
|
|
|
|
|
|
self.socket.close()
|
2015-08-26 05:37:15 +02:00
|
|
|
|
2016-01-10 04:38:27 +01:00
|
|
|
if self.pingTimer:
|
|
|
|
log.debug('(%s) Canceling pingTimer at %s due to disconnect() call', self.name, time.time())
|
|
|
|
self.pingTimer.cancel()
|
2015-09-03 07:05:47 +02:00
|
|
|
|
2016-06-15 19:55:47 +02:00
|
|
|
log.debug('(%s) disconnect: Setting self.aborted to True.', self.name)
|
|
|
|
self.aborted.set()
|
|
|
|
|
|
|
|
log.debug('(%s) disconnect: Clearing state via initVars().', self.name)
|
|
|
|
self.initVars()
|
|
|
|
|
2015-08-26 05:37:15 +02:00
|
|
|
def run(self):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""Main IRC loop which listens for messages."""
|
|
|
|
# Some magic below cause this to work, though anything that's
|
|
|
|
# not encoded in UTF-8 doesn't work very well.
|
2015-08-26 05:37:15 +02:00
|
|
|
buf = b""
|
|
|
|
data = b""
|
2015-09-03 07:05:47 +02:00
|
|
|
while not self.aborted.is_set():
|
2016-01-10 05:24:46 +01:00
|
|
|
|
|
|
|
try:
|
|
|
|
data = self.socket.recv(2048)
|
|
|
|
except OSError:
|
|
|
|
# Suppress socket read warnings from lingering recv() calls if
|
|
|
|
# we've been told to shutdown.
|
|
|
|
if self.aborted.is_set():
|
|
|
|
return
|
|
|
|
raise
|
|
|
|
|
2015-08-26 05:37:15 +02:00
|
|
|
buf += data
|
2015-12-29 20:23:06 +01:00
|
|
|
if not data:
|
2016-04-26 04:14:34 +02:00
|
|
|
log.error('(%s) No data received, disconnecting!', self.name)
|
2015-08-26 05:37:15 +02:00
|
|
|
return
|
|
|
|
elif (time.time() - self.lastping) > self.pingtimeout:
|
2016-04-26 04:14:34 +02:00
|
|
|
log.error('(%s) Connection timed out.', self.name)
|
2015-08-26 05:37:15 +02:00
|
|
|
return
|
|
|
|
while b'\n' in buf:
|
|
|
|
line, buf = buf.split(b'\n', 1)
|
|
|
|
line = line.strip(b'\r')
|
2015-09-03 07:05:47 +02:00
|
|
|
# FIXME: respect other encodings?
|
2015-08-26 05:37:15 +02:00
|
|
|
line = line.decode("utf-8", "replace")
|
2015-09-19 19:31:43 +02:00
|
|
|
self.runline(line)
|
|
|
|
|
|
|
|
def runline(self, line):
|
|
|
|
"""Sends a command to the protocol module."""
|
|
|
|
log.debug("(%s) <- %s", self.name, line)
|
|
|
|
try:
|
|
|
|
hook_args = self.proto.handle_events(line)
|
|
|
|
except Exception:
|
|
|
|
log.exception('(%s) Caught error in handle_events, disconnecting!', self.name)
|
|
|
|
log.error('(%s) The offending line was: <- %s', self.name, line)
|
2015-10-10 06:35:42 +02:00
|
|
|
self.aborted.set()
|
2015-09-19 19:31:43 +02:00
|
|
|
return
|
|
|
|
# Only call our hooks if there's data to process. Handlers that support
|
|
|
|
# hooks will return a dict of parsed arguments, which can be passed on
|
|
|
|
# to plugins and the like. For example, the JOIN handler will return
|
|
|
|
# something like: {'channel': '#whatever', 'users': ['UID1', 'UID2',
|
|
|
|
# 'UID3']}, etc.
|
|
|
|
if hook_args is not None:
|
|
|
|
self.callHooks(hook_args)
|
2015-08-26 05:37:15 +02:00
|
|
|
|
2015-12-22 19:46:34 +01:00
|
|
|
return hook_args
|
|
|
|
|
2015-08-26 05:37:15 +02:00
|
|
|
def callHooks(self, hook_args):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""Calls a hook function with the given hook args."""
|
2015-08-26 05:37:15 +02:00
|
|
|
numeric, command, parsed_args = hook_args
|
|
|
|
# Always make sure TS is sent.
|
|
|
|
if 'ts' not in parsed_args:
|
|
|
|
parsed_args['ts'] = int(time.time())
|
|
|
|
hook_cmd = command
|
|
|
|
hook_map = self.proto.hook_map
|
2015-12-27 01:43:40 +01:00
|
|
|
|
|
|
|
# If the hook name is present in the protocol module's hook_map, then we
|
|
|
|
# should set the hook name to the name that points to instead.
|
|
|
|
# For example, plugins will read SETHOST as CHGHOST, EOS (end of sync)
|
|
|
|
# as ENDBURST, etc.
|
2015-08-26 05:37:15 +02:00
|
|
|
if command in hook_map:
|
|
|
|
hook_cmd = hook_map[command]
|
2015-12-27 01:43:40 +01:00
|
|
|
|
|
|
|
# However, individual handlers can also return a 'parse_as' key to send
|
|
|
|
# their payload to a different hook. An example of this is "/join 0"
|
|
|
|
# being interpreted as leaving all channels (PART).
|
2015-08-26 05:37:15 +02:00
|
|
|
hook_cmd = parsed_args.get('parse_as') or hook_cmd
|
2015-12-27 01:43:40 +01:00
|
|
|
|
|
|
|
log.debug('(%s) Raw hook data: [%r, %r, %r] received from %s handler '
|
|
|
|
'(calling hook %s)', self.name, numeric, hook_cmd, parsed_args,
|
|
|
|
command, hook_cmd)
|
|
|
|
|
|
|
|
# Iterate over registered hook functions, catching errors accordingly.
|
2015-09-27 19:53:25 +02:00
|
|
|
for hook_func in world.hooks[hook_cmd]:
|
2015-08-26 05:37:15 +02:00
|
|
|
try:
|
2015-09-26 18:55:44 +02:00
|
|
|
log.debug('(%s) Calling hook function %s from plugin "%s"', self.name,
|
|
|
|
hook_func, hook_func.__module__)
|
2015-08-26 05:37:15 +02:00
|
|
|
hook_func(self, numeric, command, parsed_args)
|
|
|
|
except Exception:
|
|
|
|
# We don't want plugins to crash our servers...
|
2015-11-08 19:56:09 +01:00
|
|
|
log.exception('(%s) Unhandled exception caught in hook %r from plugin "%s"',
|
|
|
|
self.name, hook_func, hook_func.__module__)
|
|
|
|
log.error('(%s) The offending hook data was: %s', self.name,
|
|
|
|
hook_args)
|
2015-08-26 05:37:15 +02:00
|
|
|
continue
|
|
|
|
|
|
|
|
def send(self, data):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""Sends raw text to the uplink server."""
|
2015-08-26 05:37:15 +02:00
|
|
|
# Safeguard against newlines in input!! Otherwise, each line gets
|
|
|
|
# treated as a separate command, which is particularly nasty.
|
|
|
|
data = data.replace('\n', ' ')
|
|
|
|
data = data.encode("utf-8") + b"\n"
|
|
|
|
stripped_data = data.decode("utf-8").strip("\n")
|
|
|
|
log.debug("(%s) -> %s", self.name, stripped_data)
|
|
|
|
try:
|
|
|
|
self.socket.send(data)
|
|
|
|
except (OSError, AttributeError):
|
|
|
|
log.debug("(%s) Dropping message %r; network isn't connected!", self.name, stripped_data)
|
|
|
|
|
|
|
|
def schedulePing(self):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""Schedules periodic pings in a loop."""
|
2016-01-17 02:11:23 +01:00
|
|
|
self.proto.ping()
|
2016-01-10 04:38:27 +01:00
|
|
|
|
2016-01-06 04:35:16 +01:00
|
|
|
self.pingTimer = threading.Timer(self.pingfreq, self.schedulePing)
|
|
|
|
self.pingTimer.daemon = True
|
2016-01-10 04:38:27 +01:00
|
|
|
self.pingTimer.name = 'Ping timer loop for %s' % self.name
|
2016-01-06 04:35:16 +01:00
|
|
|
self.pingTimer.start()
|
2016-01-10 04:38:27 +01:00
|
|
|
|
2016-01-06 04:35:16 +01:00
|
|
|
log.debug('(%s) Ping scheduled at %s', self.name, time.time())
|
2015-08-26 05:37:15 +02:00
|
|
|
|
2015-09-29 04:25:45 +02:00
|
|
|
def __repr__(self):
|
|
|
|
return "<classes.Irc object for %r>" % self.name
|
|
|
|
|
2016-04-25 06:37:23 +02:00
|
|
|
### General utility functions
|
2016-01-01 02:28:47 +01:00
|
|
|
def callCommand(self, source, text):
|
|
|
|
"""
|
|
|
|
Calls a PyLink bot command. source is the caller's UID, and text is the
|
|
|
|
full, unparsed text of the message.
|
|
|
|
"""
|
2016-05-14 22:26:13 +02:00
|
|
|
world.services['pylink'].call_cmd(self, source, text)
|
2016-01-01 02:28:47 +01:00
|
|
|
|
|
|
|
def msg(self, target, text, notice=False, source=None):
|
|
|
|
"""Handy function to send messages/notices to clients. Source
|
|
|
|
is optional, and defaults to the main PyLink client if not specified."""
|
|
|
|
source = source or self.pseudoclient.uid
|
|
|
|
if notice:
|
2016-01-17 01:44:23 +01:00
|
|
|
self.proto.notice(source, target, text)
|
2016-01-01 02:28:47 +01:00
|
|
|
cmd = 'PYLINK_SELF_NOTICE'
|
|
|
|
else:
|
2016-01-17 01:44:23 +01:00
|
|
|
self.proto.message(source, target, text)
|
2016-01-01 02:28:47 +01:00
|
|
|
cmd = 'PYLINK_SELF_PRIVMSG'
|
|
|
|
self.callHooks([source, cmd, {'target': target, 'text': text}])
|
|
|
|
|
|
|
|
def reply(self, text, notice=False, source=None):
|
|
|
|
"""Replies to the last caller in the right context (channel or PM)."""
|
|
|
|
self.msg(self.called_by, text, notice=notice, source=source)
|
|
|
|
|
2016-05-01 01:57:38 +02:00
|
|
|
def toLower(self, text):
|
|
|
|
"""Returns a lowercase representation of text based on the IRC object's
|
|
|
|
casemapping (rfc1459 or ascii)."""
|
|
|
|
if self.proto.casemapping == 'rfc1459':
|
|
|
|
text = text.replace('{', '[')
|
|
|
|
text = text.replace('}', ']')
|
|
|
|
text = text.replace('|', '\\')
|
|
|
|
text = text.replace('~', '^')
|
|
|
|
return text.lower()
|
|
|
|
|
2016-04-25 06:37:23 +02:00
|
|
|
def parseModes(self, target, args):
|
|
|
|
"""Parses a modestring list into a list of (mode, argument) tuples.
|
|
|
|
['+mitl-o', '3', 'person'] => [('+m', None), ('+i', None), ('+t', None), ('+l', '3'), ('-o', 'person')]
|
|
|
|
"""
|
|
|
|
# http://www.irc.org/tech_docs/005.html
|
|
|
|
# A = Mode that adds or removes a nick or address to a list. Always has a parameter.
|
|
|
|
# B = Mode that changes a setting and always has a parameter.
|
|
|
|
# C = Mode that changes a setting and only has a parameter when set.
|
|
|
|
# D = Mode that changes a setting and never has a parameter.
|
2016-06-25 22:08:49 +02:00
|
|
|
|
|
|
|
if type(args) == str:
|
|
|
|
# If the modestring was given as a string, split it into a list.
|
|
|
|
args = args.split()
|
|
|
|
|
2016-04-25 06:37:23 +02:00
|
|
|
assert args, 'No valid modes were supplied!'
|
|
|
|
usermodes = not utils.isChannel(target)
|
|
|
|
prefix = ''
|
|
|
|
modestring = args[0]
|
|
|
|
args = args[1:]
|
|
|
|
if usermodes:
|
|
|
|
log.debug('(%s) Using self.umodes for this query: %s', self.name, self.umodes)
|
|
|
|
|
|
|
|
if target not in self.users:
|
|
|
|
log.warning('(%s) Possible desync! Mode target %s is not in the users index.', self.name, target)
|
|
|
|
return [] # Return an empty mode list
|
|
|
|
|
|
|
|
supported_modes = self.umodes
|
|
|
|
oldmodes = self.users[target].modes
|
|
|
|
else:
|
|
|
|
log.debug('(%s) Using self.cmodes for this query: %s', self.name, self.cmodes)
|
|
|
|
|
|
|
|
supported_modes = self.cmodes
|
|
|
|
oldmodes = self.channels[target].modes
|
|
|
|
res = []
|
|
|
|
for mode in modestring:
|
|
|
|
if mode in '+-':
|
|
|
|
prefix = mode
|
|
|
|
else:
|
|
|
|
if not prefix:
|
|
|
|
prefix = '+'
|
|
|
|
arg = None
|
|
|
|
log.debug('Current mode: %s%s; args left: %s', prefix, mode, args)
|
|
|
|
try:
|
|
|
|
if mode in (supported_modes['*A'] + supported_modes['*B']):
|
|
|
|
# Must have parameter.
|
|
|
|
log.debug('Mode %s: This mode must have parameter.', mode)
|
|
|
|
arg = args.pop(0)
|
|
|
|
if prefix == '-' and mode in supported_modes['*B'] and arg == '*':
|
|
|
|
# Charybdis allows unsetting +k without actually
|
|
|
|
# knowing the key by faking the argument when unsetting
|
|
|
|
# as a single "*".
|
|
|
|
# We'd need to know the real argument of +k for us to
|
|
|
|
# be able to unset the mode.
|
|
|
|
oldargs = [m[1] for m in oldmodes if m[0] == mode]
|
|
|
|
if oldargs:
|
|
|
|
# Set the arg to the old one on the channel.
|
|
|
|
arg = oldargs[0]
|
|
|
|
log.debug("Mode %s: coersing argument of '*' to %r.", mode, arg)
|
|
|
|
elif mode in self.prefixmodes and not usermodes:
|
|
|
|
# We're setting a prefix mode on someone (e.g. +o user1)
|
|
|
|
log.debug('Mode %s: This mode is a prefix mode.', mode)
|
|
|
|
arg = args.pop(0)
|
|
|
|
# Convert nicks to UIDs implicitly; most IRCds will want
|
|
|
|
# this already.
|
|
|
|
arg = self.nickToUid(arg) or arg
|
|
|
|
if arg not in self.users: # Target doesn't exist, skip it.
|
|
|
|
log.debug('(%s) Skipping setting mode "%s %s"; the '
|
|
|
|
'target doesn\'t seem to exist!', self.name,
|
|
|
|
mode, arg)
|
|
|
|
continue
|
|
|
|
elif prefix == '+' and mode in supported_modes['*C']:
|
|
|
|
# Only has parameter when setting.
|
|
|
|
log.debug('Mode %s: Only has parameter when setting.', mode)
|
|
|
|
arg = args.pop(0)
|
|
|
|
except IndexError:
|
|
|
|
log.warning('(%s/%s) Error while parsing mode %r: mode requires an '
|
|
|
|
'argument but none was found. (modestring: %r)',
|
|
|
|
self.name, target, mode, modestring)
|
|
|
|
continue # Skip this mode; don't error out completely.
|
|
|
|
res.append((prefix + mode, arg))
|
|
|
|
return res
|
|
|
|
|
|
|
|
def applyModes(self, target, changedmodes):
|
|
|
|
"""Takes a list of parsed IRC modes, and applies them on the given target.
|
|
|
|
|
|
|
|
The target can be either a channel or a user; this is handled automatically."""
|
|
|
|
usermodes = not utils.isChannel(target)
|
|
|
|
log.debug('(%s) Using usermodes for this query? %s', self.name, usermodes)
|
|
|
|
|
|
|
|
try:
|
|
|
|
if usermodes:
|
|
|
|
old_modelist = self.users[target].modes
|
|
|
|
supported_modes = self.umodes
|
|
|
|
else:
|
|
|
|
old_modelist = self.channels[target].modes
|
|
|
|
supported_modes = self.cmodes
|
|
|
|
except KeyError:
|
|
|
|
log.warning('(%s) Possible desync? Mode target %s is unknown.', self.name, target)
|
|
|
|
return
|
|
|
|
|
|
|
|
modelist = set(old_modelist)
|
|
|
|
log.debug('(%s) Applying modes %r on %s (initial modelist: %s)', self.name, changedmodes, target, modelist)
|
|
|
|
for mode in changedmodes:
|
|
|
|
# Chop off the +/- part that parseModes gives; it's meaningless for a mode list.
|
|
|
|
try:
|
|
|
|
real_mode = (mode[0][1], mode[1])
|
|
|
|
except IndexError:
|
|
|
|
real_mode = mode
|
|
|
|
|
|
|
|
if not usermodes:
|
|
|
|
# We only handle +qaohv for now. Iterate over every supported mode:
|
|
|
|
# if the IRCd supports this mode and it is the one being set, add/remove
|
|
|
|
# the person from the corresponding prefix mode list (e.g. c.prefixmodes['op']
|
|
|
|
# for ops).
|
|
|
|
for pmode, pmodelist in self.channels[target].prefixmodes.items():
|
|
|
|
if pmode in self.cmodes and real_mode[0] == self.cmodes[pmode]:
|
|
|
|
log.debug('(%s) Initial prefixmodes list: %s', self.name, pmodelist)
|
|
|
|
if mode[0][0] == '+':
|
|
|
|
pmodelist.add(mode[1])
|
|
|
|
else:
|
|
|
|
pmodelist.discard(mode[1])
|
|
|
|
|
|
|
|
log.debug('(%s) Final prefixmodes list: %s', self.name, pmodelist)
|
|
|
|
|
|
|
|
if real_mode[0] in self.prefixmodes:
|
|
|
|
# Don't add prefix modes to IrcChannel.modes; they belong in the
|
|
|
|
# prefixmodes mapping handled above.
|
|
|
|
log.debug('(%s) Not adding mode %s to IrcChannel.modes because '
|
|
|
|
'it\'s a prefix mode.', self.name, str(mode))
|
|
|
|
continue
|
|
|
|
|
2016-05-14 20:58:22 +02:00
|
|
|
if mode[0][0] != '-':
|
2016-04-25 06:37:23 +02:00
|
|
|
# We're adding a mode
|
|
|
|
existing = [m for m in modelist if m[0] == real_mode[0] and m[1] != real_mode[1]]
|
|
|
|
if existing and real_mode[1] and real_mode[0] not in self.cmodes['*A']:
|
|
|
|
# The mode we're setting takes a parameter, but is not a list mode (like +beI).
|
|
|
|
# Therefore, only one version of it can exist at a time, and we must remove
|
|
|
|
# any old modepairs using the same letter. Otherwise, we'll get duplicates when,
|
|
|
|
# for example, someone sets mode "+l 30" on a channel already set "+l 25".
|
|
|
|
log.debug('(%s) Old modes for mode %r exist on %s, removing them: %s',
|
|
|
|
self.name, real_mode, target, str(existing))
|
|
|
|
[modelist.discard(oldmode) for oldmode in existing]
|
|
|
|
modelist.add(real_mode)
|
|
|
|
log.debug('(%s) Adding mode %r on %s', self.name, real_mode, target)
|
|
|
|
else:
|
|
|
|
log.debug('(%s) Removing mode %r on %s', self.name, real_mode, target)
|
|
|
|
# We're removing a mode
|
|
|
|
if real_mode[1] is None:
|
|
|
|
# We're removing a mode that only takes arguments when setting.
|
|
|
|
# Remove all mode entries that use the same letter as the one
|
|
|
|
# we're unsetting.
|
|
|
|
for oldmode in modelist.copy():
|
|
|
|
if oldmode[0] == real_mode[0]:
|
|
|
|
modelist.discard(oldmode)
|
|
|
|
else:
|
|
|
|
modelist.discard(real_mode)
|
|
|
|
log.debug('(%s) Final modelist: %s', self.name, modelist)
|
|
|
|
if usermodes:
|
|
|
|
self.users[target].modes = modelist
|
|
|
|
else:
|
|
|
|
self.channels[target].modes = modelist
|
|
|
|
|
2016-05-01 01:33:46 +02:00
|
|
|
@staticmethod
|
|
|
|
def _flip(mode):
|
|
|
|
"""Flips a mode character."""
|
|
|
|
# Make it a list first, strings don't support item assignment
|
|
|
|
mode = list(mode)
|
|
|
|
if mode[0] == '-': # Query is something like "-n"
|
|
|
|
mode[0] = '+' # Change it to "+n"
|
|
|
|
elif mode[0] == '+':
|
|
|
|
mode[0] = '-'
|
|
|
|
else: # No prefix given, assume +
|
|
|
|
mode.insert(0, '-')
|
|
|
|
return ''.join(mode)
|
|
|
|
|
|
|
|
def reverseModes(self, target, modes, oldobj=None):
|
|
|
|
"""Reverses/Inverts the mode string or mode list given.
|
|
|
|
|
|
|
|
Optionally, an oldobj argument can be given to look at an earlier state of
|
|
|
|
a channel/user object, e.g. for checking the op status of a mode setter
|
|
|
|
before their modes are processed and added to the channel state.
|
|
|
|
|
|
|
|
This function allows both mode strings or mode lists. Example uses:
|
|
|
|
"+mi-lk test => "-mi+lk test"
|
|
|
|
"mi-k test => "-mi+k test"
|
|
|
|
[('+m', None), ('+r', None), ('+l', '3'), ('-o', 'person')
|
|
|
|
=> {('-m', None), ('-r', None), ('-l', None), ('+o', 'person')})
|
|
|
|
{('s', None), ('+o', 'whoever') => {('-s', None), ('-o', 'whoever')})
|
|
|
|
"""
|
|
|
|
origtype = type(modes)
|
|
|
|
# If the query is a string, we have to parse it first.
|
|
|
|
if origtype == str:
|
|
|
|
modes = self.parseModes(target, modes.split(" "))
|
|
|
|
# Get the current mode list first.
|
|
|
|
if utils.isChannel(target):
|
|
|
|
c = oldobj or self.channels[target]
|
|
|
|
oldmodes = c.modes.copy()
|
|
|
|
possible_modes = self.cmodes.copy()
|
|
|
|
# For channels, this also includes the list of prefix modes.
|
|
|
|
possible_modes['*A'] += ''.join(self.prefixmodes)
|
|
|
|
for name, userlist in c.prefixmodes.items():
|
|
|
|
try:
|
|
|
|
oldmodes.update([(self.cmodes[name], u) for u in userlist])
|
|
|
|
except KeyError:
|
|
|
|
continue
|
|
|
|
else:
|
|
|
|
oldmodes = self.users[target].modes
|
|
|
|
possible_modes = self.umodes
|
|
|
|
newmodes = []
|
|
|
|
log.debug('(%s) reverseModes: old/current mode list for %s is: %s', self.name,
|
|
|
|
target, oldmodes)
|
|
|
|
for char, arg in modes:
|
|
|
|
# Mode types:
|
|
|
|
# A = Mode that adds or removes a nick or address to a list. Always has a parameter.
|
|
|
|
# B = Mode that changes a setting and always has a parameter.
|
|
|
|
# C = Mode that changes a setting and only has a parameter when set.
|
|
|
|
# D = Mode that changes a setting and never has a parameter.
|
|
|
|
mchar = char[-1]
|
|
|
|
if mchar in possible_modes['*B'] + possible_modes['*C']:
|
|
|
|
# We need to find the current mode list, so we can reset arguments
|
|
|
|
# for modes that have arguments. For example, setting +l 30 on a channel
|
|
|
|
# that had +l 50 set should give "+l 30", not "-l".
|
|
|
|
oldarg = [m for m in oldmodes if m[0] == mchar]
|
|
|
|
if oldarg: # Old mode argument for this mode existed, use that.
|
|
|
|
oldarg = oldarg[0]
|
|
|
|
mpair = ('+%s' % oldarg[0], oldarg[1])
|
|
|
|
else: # Not found, flip the mode then.
|
|
|
|
# Mode takes no arguments when unsetting.
|
|
|
|
if mchar in possible_modes['*C'] and char[0] != '-':
|
|
|
|
arg = None
|
|
|
|
mpair = (self._flip(char), arg)
|
|
|
|
else:
|
|
|
|
mpair = (self._flip(char), arg)
|
|
|
|
if char[0] != '-' and (mchar, arg) in oldmodes:
|
|
|
|
# Mode is already set.
|
|
|
|
log.debug("(%s) reverseModes: skipping reversing '%s %s' with %s since we're "
|
|
|
|
"setting a mode that's already set.", self.name, char, arg, mpair)
|
|
|
|
continue
|
|
|
|
elif char[0] == '-' and (mchar, arg) not in oldmodes and mchar in possible_modes['*A']:
|
|
|
|
# We're unsetting a prefixmode that was never set - don't set it in response!
|
|
|
|
# Charybdis lacks verification for this server-side.
|
|
|
|
log.debug("(%s) reverseModes: skipping reversing '%s %s' with %s since it "
|
|
|
|
"wasn't previously set.", self.name, char, arg, mpair)
|
|
|
|
continue
|
|
|
|
newmodes.append(mpair)
|
|
|
|
|
|
|
|
log.debug('(%s) reverseModes: new modes: %s', self.name, newmodes)
|
|
|
|
if origtype == str:
|
|
|
|
# If the original query is a string, send it back as a string.
|
|
|
|
return self.joinModes(newmodes)
|
|
|
|
else:
|
|
|
|
return set(newmodes)
|
|
|
|
|
|
|
|
@staticmethod
|
|
|
|
def joinModes(modes):
|
|
|
|
"""Takes a list of (mode, arg) tuples in parseModes() format, and
|
|
|
|
joins them into a string.
|
|
|
|
|
|
|
|
See testJoinModes in tests/test_utils.py for some examples."""
|
|
|
|
prefix = '+' # Assume we're adding modes unless told otherwise
|
|
|
|
modelist = ''
|
|
|
|
args = []
|
|
|
|
for modepair in modes:
|
|
|
|
mode, arg = modepair
|
|
|
|
assert len(mode) in (1, 2), "Incorrect length of a mode (received %r)" % mode
|
|
|
|
try:
|
|
|
|
# If the mode has a prefix, use that.
|
|
|
|
curr_prefix, mode = mode
|
|
|
|
except ValueError:
|
|
|
|
# If not, the current prefix stays the same; move on to the next
|
|
|
|
# modepair.
|
|
|
|
pass
|
|
|
|
else:
|
|
|
|
# If the prefix of this mode isn't the same as the last one, add
|
|
|
|
# the prefix to the modestring. This prevents '+nt-lk' from turning
|
|
|
|
# into '+n+t-l-k' or '+ntlk'.
|
|
|
|
if prefix != curr_prefix:
|
|
|
|
modelist += curr_prefix
|
|
|
|
prefix = curr_prefix
|
|
|
|
modelist += mode
|
|
|
|
if arg is not None:
|
|
|
|
args.append(arg)
|
|
|
|
if not modelist.startswith(('+', '-')):
|
|
|
|
# Our starting mode didn't have a prefix with it. Assume '+'.
|
|
|
|
modelist = '+' + modelist
|
|
|
|
if args:
|
|
|
|
# Add the args if there are any.
|
|
|
|
modelist += ' %s' % ' '.join(args)
|
|
|
|
return modelist
|
|
|
|
|
2016-05-01 02:00:28 +02:00
|
|
|
def version(self):
|
|
|
|
"""
|
|
|
|
Returns a detailed version string including the PyLink daemon version,
|
|
|
|
the protocol module in use, and the server hostname.
|
|
|
|
"""
|
|
|
|
fullversion = 'PyLink-%s. %s :[protocol:%s]' % (world.version, self.serverdata['hostname'], self.protoname)
|
|
|
|
return fullversion
|
|
|
|
|
2016-04-25 06:37:23 +02:00
|
|
|
### State checking functions
|
2016-01-01 02:28:47 +01:00
|
|
|
def nickToUid(self, nick):
|
|
|
|
"""Looks up the UID of a user with the given nick, if one is present."""
|
2016-05-01 01:57:38 +02:00
|
|
|
nick = self.toLower(nick)
|
2016-01-01 02:28:47 +01:00
|
|
|
for k, v in self.users.copy().items():
|
2016-05-01 01:57:38 +02:00
|
|
|
if self.toLower(v.nick) == nick:
|
2016-01-01 02:28:47 +01:00
|
|
|
return k
|
|
|
|
|
|
|
|
def isInternalClient(self, numeric):
|
|
|
|
"""
|
|
|
|
Checks whether the given numeric is a PyLink Client,
|
|
|
|
returning the SID of the server it's on if so.
|
|
|
|
"""
|
|
|
|
for sid in self.servers:
|
|
|
|
if self.servers[sid].internal and numeric in self.servers[sid].users:
|
|
|
|
return sid
|
2016-01-01 02:53:33 +01:00
|
|
|
return False
|
2016-01-01 02:28:47 +01:00
|
|
|
|
|
|
|
def isInternalServer(self, sid):
|
|
|
|
"""Returns whether the given SID is an internal PyLink server."""
|
|
|
|
return (sid in self.servers and self.servers[sid].internal)
|
|
|
|
|
|
|
|
def getServer(self, numeric):
|
|
|
|
"""Finds the SID of the server a user is on."""
|
|
|
|
for server in self.servers:
|
|
|
|
if numeric in self.servers[server].users:
|
|
|
|
return server
|
|
|
|
|
2016-05-01 01:44:37 +02:00
|
|
|
def isManipulatableClient(self, uid):
|
|
|
|
"""
|
|
|
|
Returns whether the given user is marked as an internal, manipulatable
|
|
|
|
client. Usually, automatically spawned services clients should have this
|
|
|
|
set True to prevent interactions with opers (like mode changes) from
|
|
|
|
causing desyncs.
|
|
|
|
"""
|
|
|
|
return self.isInternalClient(uid) and self.users[uid].manipulatable
|
|
|
|
|
2016-05-15 01:17:12 +02:00
|
|
|
def isServiceBot(self, uid):
|
|
|
|
"""
|
|
|
|
Checks whether the given UID is a registered service bot. If True,
|
|
|
|
returns the cooresponding ServiceBot object.
|
|
|
|
"""
|
|
|
|
if not uid:
|
|
|
|
return False
|
|
|
|
for sbot in world.services.values():
|
|
|
|
if uid == sbot.uids.get(self.name):
|
|
|
|
return sbot
|
|
|
|
return False
|
|
|
|
|
2016-05-01 01:44:37 +02:00
|
|
|
def getHostmask(self, user, realhost=False, ip=False):
|
|
|
|
"""
|
|
|
|
Returns the hostmask of the given user, if present. If the realhost option
|
|
|
|
is given, return the real host of the user instead of the displayed host.
|
|
|
|
If the ip option is given, return the IP address of the user (this overrides
|
|
|
|
realhost)."""
|
|
|
|
userobj = self.users.get(user)
|
|
|
|
|
|
|
|
try:
|
|
|
|
nick = userobj.nick
|
|
|
|
except AttributeError:
|
|
|
|
nick = '<unknown-nick>'
|
|
|
|
|
|
|
|
try:
|
|
|
|
ident = userobj.ident
|
|
|
|
except AttributeError:
|
|
|
|
ident = '<unknown-ident>'
|
|
|
|
|
|
|
|
try:
|
|
|
|
if ip:
|
|
|
|
host = userobj.ip
|
|
|
|
elif realhost:
|
|
|
|
host = userobj.realhost
|
|
|
|
else:
|
|
|
|
host = userobj.host
|
|
|
|
except AttributeError:
|
|
|
|
host = '<unknown-host>'
|
|
|
|
|
|
|
|
return '%s!%s@%s' % (nick, ident, host)
|
|
|
|
|
2016-05-01 01:54:11 +02:00
|
|
|
def isOper(self, uid, allowAuthed=True, allowOper=True):
|
|
|
|
"""
|
|
|
|
Returns whether the given user has operator status on PyLink. This can be achieved
|
|
|
|
by either identifying to PyLink as admin (if allowAuthed is True),
|
|
|
|
or having user mode +o set (if allowOper is True). At least one of
|
|
|
|
allowAuthed or allowOper must be True for this to give any meaningful
|
|
|
|
results.
|
|
|
|
"""
|
|
|
|
if uid in self.users:
|
|
|
|
if allowOper and ("o", None) in self.users[uid].modes:
|
|
|
|
return True
|
|
|
|
elif allowAuthed and self.users[uid].identified:
|
|
|
|
return True
|
|
|
|
return False
|
|
|
|
|
|
|
|
def checkAuthenticated(self, uid, allowAuthed=True, allowOper=True):
|
|
|
|
"""
|
|
|
|
Checks whether the given user has operator status on PyLink, raising
|
|
|
|
NotAuthenticatedError and logging the access denial if not.
|
|
|
|
"""
|
|
|
|
lastfunc = inspect.stack()[1][3]
|
|
|
|
if not self.isOper(uid, allowAuthed=allowAuthed, allowOper=allowOper):
|
|
|
|
log.warning('(%s) Access denied for %s calling %r', self.name,
|
|
|
|
self.getHostmask(uid), lastfunc)
|
2016-05-14 19:05:18 +02:00
|
|
|
raise utils.NotAuthenticatedError("You are not authenticated!")
|
2016-05-01 01:54:11 +02:00
|
|
|
return True
|
|
|
|
|
2015-06-07 07:17:45 +02:00
|
|
|
class IrcUser():
|
2015-12-07 02:40:13 +01:00
|
|
|
"""PyLink IRC user class."""
|
2015-06-07 07:17:45 +02:00
|
|
|
def __init__(self, nick, ts, uid, ident='null', host='null',
|
|
|
|
realname='PyLink dummy client', realhost='null',
|
2016-03-26 20:55:23 +01:00
|
|
|
ip='0.0.0.0', manipulatable=False, opertype='IRC Operator'):
|
2015-06-07 07:17:45 +02:00
|
|
|
self.nick = nick
|
|
|
|
self.ts = ts
|
|
|
|
self.uid = uid
|
|
|
|
self.ident = ident
|
|
|
|
self.host = host
|
|
|
|
self.realhost = realhost
|
|
|
|
self.ip = ip
|
|
|
|
self.realname = realname
|
2016-02-08 03:09:02 +01:00
|
|
|
self.modes = set() # Tracks user modes
|
2015-06-07 07:17:45 +02:00
|
|
|
|
2016-02-08 03:09:02 +01:00
|
|
|
# Tracks PyLink identification status
|
|
|
|
self.identified = ''
|
|
|
|
|
2016-03-26 20:55:23 +01:00
|
|
|
# Tracks oper type (for display only)
|
|
|
|
self.opertype = opertype
|
|
|
|
|
2016-02-08 03:09:02 +01:00
|
|
|
# Tracks services identification status
|
|
|
|
self.services_account = ''
|
|
|
|
|
|
|
|
# Tracks channels the user is in
|
2015-07-16 21:20:40 +02:00
|
|
|
self.channels = set()
|
2016-02-08 03:09:02 +01:00
|
|
|
|
|
|
|
# Tracks away message status
|
2015-08-12 13:17:01 +02:00
|
|
|
self.away = ''
|
2015-06-07 07:17:45 +02:00
|
|
|
|
2015-12-07 02:40:13 +01:00
|
|
|
# This sets whether the client should be marked as manipulatable.
|
|
|
|
# Plugins like bots.py's commands should take caution against
|
|
|
|
# manipulating these "protected" clients, to prevent desyncs and such.
|
|
|
|
# For "serious" service clients, this should always be False.
|
2015-09-18 04:01:54 +02:00
|
|
|
self.manipulatable = manipulatable
|
|
|
|
|
2015-06-07 07:17:45 +02:00
|
|
|
def __repr__(self):
|
2016-01-10 04:15:39 +01:00
|
|
|
return 'IrcUser(%s)' % self.__dict__
|
2015-06-07 07:17:45 +02:00
|
|
|
|
|
|
|
class IrcServer():
|
2015-12-07 02:40:13 +01:00
|
|
|
"""PyLink IRC server class.
|
2015-06-22 00:00:33 +02:00
|
|
|
|
|
|
|
uplink: The SID of this IrcServer instance's uplink. This is set to None
|
|
|
|
for the main PyLink PseudoServer!
|
|
|
|
name: The name of the server.
|
|
|
|
internal: Whether the server is an internal PyLink PseudoServer.
|
|
|
|
"""
|
2016-01-10 04:15:39 +01:00
|
|
|
|
2015-09-12 19:39:05 +02:00
|
|
|
def __init__(self, uplink, name, internal=False, desc="(None given)"):
|
2015-06-07 07:17:45 +02:00
|
|
|
self.uplink = uplink
|
2015-08-29 21:35:06 +02:00
|
|
|
self.users = set()
|
2015-06-22 00:00:33 +02:00
|
|
|
self.internal = internal
|
|
|
|
self.name = name.lower()
|
2015-09-12 19:39:05 +02:00
|
|
|
self.desc = desc
|
2016-01-10 04:15:39 +01:00
|
|
|
|
2015-06-07 07:17:45 +02:00
|
|
|
def __repr__(self):
|
2016-01-10 04:15:39 +01:00
|
|
|
return 'IrcServer(%s)' % self.__dict__
|
2015-06-07 08:04:11 +02:00
|
|
|
|
|
|
|
class IrcChannel():
|
2015-12-07 02:40:13 +01:00
|
|
|
"""PyLink IRC channel class."""
|
2016-03-20 01:01:39 +01:00
|
|
|
def __init__(self, name=None):
|
2015-12-07 02:40:13 +01:00
|
|
|
# Initialize variables, such as the topic, user list, TS, who's opped, etc.
|
2015-06-07 18:43:13 +02:00
|
|
|
self.users = set()
|
2015-08-31 18:09:03 +02:00
|
|
|
self.modes = {('n', None), ('t', None)}
|
2015-07-07 00:33:23 +02:00
|
|
|
self.topic = ''
|
2015-07-07 04:00:20 +02:00
|
|
|
self.ts = int(time.time())
|
2016-03-20 01:25:04 +01:00
|
|
|
self.prefixmodes = {'op': set(), 'halfop': set(), 'voice': set(),
|
|
|
|
'owner': set(), 'admin': set()}
|
2015-07-05 21:48:39 +02:00
|
|
|
|
2015-12-07 02:40:13 +01:00
|
|
|
# Determines whether a topic has been set here or not. Protocol modules
|
|
|
|
# should set this.
|
|
|
|
self.topicset = False
|
|
|
|
|
2016-03-20 01:01:39 +01:00
|
|
|
# Saves the channel name (may be useful to plugins, etc.)
|
|
|
|
self.name = name
|
|
|
|
|
2015-06-07 08:04:11 +02:00
|
|
|
def __repr__(self):
|
2016-01-10 04:15:39 +01:00
|
|
|
return 'IrcChannel(%s)' % self.__dict__
|
2015-07-04 03:07:01 +02:00
|
|
|
|
2015-07-05 21:48:39 +02:00
|
|
|
def removeuser(self, target):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""Removes a user from a channel."""
|
2015-07-05 21:48:39 +02:00
|
|
|
for s in self.prefixmodes.values():
|
|
|
|
s.discard(target)
|
|
|
|
self.users.discard(target)
|
|
|
|
|
2015-09-13 22:47:04 +02:00
|
|
|
def deepcopy(self):
|
2015-12-07 02:40:13 +01:00
|
|
|
"""Returns a deep copy of the channel object."""
|
2015-09-13 22:47:04 +02:00
|
|
|
return deepcopy(self)
|
|
|
|
|
2016-03-20 01:32:32 +01:00
|
|
|
def isVoice(self, uid):
|
|
|
|
"""Returns whether the given user is voice in the channel."""
|
|
|
|
return uid in self.prefixmodes['voice']
|
|
|
|
|
|
|
|
def isHalfop(self, uid):
|
|
|
|
"""Returns whether the given user is halfop in the channel."""
|
|
|
|
return uid in self.prefixmodes['halfop']
|
|
|
|
|
|
|
|
def isOp(self, uid):
|
|
|
|
"""Returns whether the given user is op in the channel."""
|
|
|
|
return uid in self.prefixmodes['op']
|
|
|
|
|
|
|
|
def isAdmin(self, uid):
|
|
|
|
"""Returns whether the given user is admin (&) in the channel."""
|
|
|
|
return uid in self.prefixmodes['admin']
|
|
|
|
|
|
|
|
def isOwner(self, uid):
|
|
|
|
"""Returns whether the given user is owner (~) in the channel."""
|
|
|
|
return uid in self.prefixmodes['owner']
|
|
|
|
|
2016-03-20 01:37:38 +01:00
|
|
|
def isVoicePlus(self, uid):
|
|
|
|
"""Returns whether the given user is voice or above in the channel."""
|
|
|
|
# If the user has any prefix mode, it has to be voice or greater.
|
|
|
|
return bool(self.getPrefixModes(uid))
|
|
|
|
|
|
|
|
def isHalfopPlus(self, uid):
|
|
|
|
"""Returns whether the given user is halfop or above in the channel."""
|
|
|
|
for mode in ('halfop', 'op', 'admin', 'owner'):
|
|
|
|
if uid in self.prefixmodes[mode]:
|
|
|
|
return True
|
|
|
|
return False
|
|
|
|
|
|
|
|
def isOpPlus(self, uid):
|
|
|
|
"""Returns whether the given user is op or above in the channel."""
|
|
|
|
for mode in ('op', 'admin', 'owner'):
|
|
|
|
if uid in self.prefixmodes[mode]:
|
|
|
|
return True
|
|
|
|
return False
|
|
|
|
|
2016-03-20 01:54:18 +01:00
|
|
|
def getPrefixModes(self, uid, prefixmodes=None):
|
|
|
|
"""Returns a list of all named prefix modes the given user has in the channel.
|
|
|
|
|
|
|
|
Optionally, a prefixmodes argument can be given to look at an earlier state of
|
|
|
|
the channel's prefix modes mapping, e.g. for checking the op status of a mode
|
|
|
|
setter before their modes are processed and added to the channel state.
|
|
|
|
"""
|
2016-03-20 01:32:32 +01:00
|
|
|
|
|
|
|
if uid not in self.users:
|
2016-03-20 02:00:44 +01:00
|
|
|
raise KeyError("User %s does not exist or is not in the channel" % uid)
|
2016-03-20 01:32:32 +01:00
|
|
|
|
|
|
|
result = []
|
2016-03-20 01:54:18 +01:00
|
|
|
prefixmodes = prefixmodes or self.prefixmodes
|
2016-03-20 01:32:32 +01:00
|
|
|
|
2016-03-20 01:54:18 +01:00
|
|
|
for mode, modelist in prefixmodes.items():
|
2016-03-20 01:32:32 +01:00
|
|
|
if uid in modelist:
|
|
|
|
result.append(mode)
|
|
|
|
|
|
|
|
return result
|
|
|
|
|
2015-09-06 03:00:57 +02:00
|
|
|
class Protocol():
|
2016-01-01 02:28:47 +01:00
|
|
|
"""Base Protocol module class for PyLink."""
|
2015-09-06 03:00:57 +02:00
|
|
|
def __init__(self, irc):
|
|
|
|
self.irc = irc
|
|
|
|
self.casemapping = 'rfc1459'
|
|
|
|
self.hook_map = {}
|
|
|
|
|
2015-09-25 03:03:15 +02:00
|
|
|
def parseArgs(self, args):
|
|
|
|
"""Parses a string of RFC1459-style arguments split into a list, where ":" may
|
|
|
|
be used for multi-word arguments that last until the end of a line.
|
|
|
|
"""
|
|
|
|
real_args = []
|
|
|
|
for idx, arg in enumerate(args):
|
|
|
|
real_args.append(arg)
|
|
|
|
# If the argument starts with ':' and ISN'T the first argument.
|
|
|
|
# The first argument is used for denoting the source UID/SID.
|
|
|
|
if arg.startswith(':') and idx != 0:
|
|
|
|
# : is used for multi-word arguments that last until the end
|
|
|
|
# of the message. We can use list splicing here to turn them all
|
|
|
|
# into one argument.
|
|
|
|
# Set the last arg to a joined version of the remaining args
|
|
|
|
arg = args[idx:]
|
|
|
|
arg = ' '.join(arg)[1:]
|
|
|
|
# Cut the original argument list right before the multi-word arg,
|
|
|
|
# and then append the multi-word arg.
|
|
|
|
real_args = args[:idx]
|
|
|
|
real_args.append(arg)
|
|
|
|
break
|
|
|
|
return real_args
|
|
|
|
|
|
|
|
def removeClient(self, numeric):
|
|
|
|
"""Internal function to remove a client from our internal state."""
|
|
|
|
for c, v in self.irc.channels.copy().items():
|
|
|
|
v.removeuser(numeric)
|
|
|
|
# Clear empty non-permanent channels.
|
|
|
|
if not (self.irc.channels[c].users or ((self.irc.cmodes.get('permanent'), None) in self.irc.channels[c].modes)):
|
|
|
|
del self.irc.channels[c]
|
|
|
|
assert numeric not in v.users, "IrcChannel's removeuser() is broken!"
|
|
|
|
|
2016-04-02 07:55:03 +02:00
|
|
|
sid = self.irc.getServer(numeric)
|
2015-09-25 03:03:15 +02:00
|
|
|
log.debug('Removing client %s from self.irc.users', numeric)
|
|
|
|
del self.irc.users[numeric]
|
|
|
|
log.debug('Removing client %s from self.irc.servers[%s].users', numeric, sid)
|
|
|
|
self.irc.servers[sid].users.discard(numeric)
|
|
|
|
|
2016-06-24 22:22:19 +02:00
|
|
|
def updateTS(self, channel, their_ts, modes=[]):
|
2015-12-26 23:47:23 +01:00
|
|
|
"""
|
2016-06-23 06:34:16 +02:00
|
|
|
Merges modes of a channel given the remote TS and a list of modes.
|
2015-12-26 23:47:23 +01:00
|
|
|
"""
|
|
|
|
|
2016-06-23 07:26:25 +02:00
|
|
|
def _clear():
|
2016-06-24 22:15:26 +02:00
|
|
|
log.debug("(%s) Clearing modes from channel %s due to TS change", self.irc.name,
|
|
|
|
channel)
|
2015-11-08 19:49:09 +01:00
|
|
|
self.irc.channels[channel].modes.clear()
|
|
|
|
for p in self.irc.channels[channel].prefixmodes.values():
|
|
|
|
p.clear()
|
|
|
|
|
2016-06-23 07:26:25 +02:00
|
|
|
def _apply():
|
2016-06-25 21:54:56 +02:00
|
|
|
if modes:
|
|
|
|
log.debug("(%s) Applying modes on channel %s (TS ok)", self.irc.name,
|
|
|
|
channel)
|
|
|
|
self.irc.applyModes(channel, modes)
|
2016-06-23 07:26:25 +02:00
|
|
|
|
|
|
|
our_ts = self.irc.channels[channel].ts
|
2016-06-25 22:56:24 +02:00
|
|
|
assert type(our_ts) == int, "Wrong type for our_ts (expected int, got %s)" % type(our_ts)
|
2016-06-25 23:00:26 +02:00
|
|
|
assert type(their_ts) == int, "Wrong type for their_ts (expected int, got %s)" % type(their_ts)
|
2016-06-23 07:26:25 +02:00
|
|
|
|
|
|
|
if their_ts < our_ts:
|
2016-06-24 22:22:19 +02:00
|
|
|
# Their TS is older than ours. We should clear our stored modes for the channel and
|
|
|
|
# apply the ones in the queue to be set. This is regardless of whether we're sending
|
|
|
|
# outgoing modes or receiving some - both are handled the same with a "received" TS,
|
|
|
|
# and comparing it with the one we have.
|
2016-06-25 20:34:14 +02:00
|
|
|
log.debug("(%s/%s) received TS of %s is lower than ours %s; setting modes %s",
|
|
|
|
self.irc.name, channel, their_ts, our_ts, modes)
|
2016-06-24 22:15:26 +02:00
|
|
|
|
|
|
|
# Update the channel TS to theirs regardless of whether the mode setting passes.
|
|
|
|
log.debug('(%s) Setting channel TS of %s to %s from %s',
|
|
|
|
self.irc.name, channel, their_ts, our_ts)
|
|
|
|
self.irc.channels[channel].ts = their_ts
|
|
|
|
|
2016-06-24 22:22:19 +02:00
|
|
|
_clear()
|
|
|
|
_apply()
|
2016-06-23 06:34:16 +02:00
|
|
|
|
|
|
|
elif their_ts == our_ts:
|
2016-06-25 20:34:14 +02:00
|
|
|
log.debug("(%s/%s) remote TS of %s is equal to ours %s; setting modes %s",
|
|
|
|
self.irc.name, channel, their_ts, our_ts, modes)
|
2016-06-23 06:34:16 +02:00
|
|
|
# Their TS is equal to ours. Merge modes.
|
2016-06-23 07:26:25 +02:00
|
|
|
_apply()
|
|
|
|
|
2016-06-23 06:34:16 +02:00
|
|
|
elif their_ts > our_ts:
|
2016-06-25 20:34:14 +02:00
|
|
|
log.debug("(%s/%s) remote TS of %s is higher than ours %s; setting modes %s",
|
|
|
|
self.irc.name, channel, their_ts, our_ts, modes)
|
2016-06-24 22:22:19 +02:00
|
|
|
# Their TS is younger than ours. Clear the state and replace the modes for the channel
|
|
|
|
# with the ones being set.
|
|
|
|
_clear()
|
|
|
|
_apply()
|
2016-06-23 06:34:16 +02:00
|
|
|
|
2016-04-11 04:00:44 +02:00
|
|
|
def _getSid(self, sname):
|
|
|
|
"""Returns the SID of a server with the given name, if present."""
|
|
|
|
name = sname.lower()
|
|
|
|
for k, v in self.irc.servers.items():
|
|
|
|
if v.name.lower() == name:
|
|
|
|
return k
|
|
|
|
else:
|
|
|
|
return sname # Fall back to given text instead of None
|
|
|
|
|
|
|
|
def _getUid(self, target):
|
|
|
|
"""Converts a nick argument to its matching UID. This differs from irc.nickToUid()
|
|
|
|
in that it returns the original text instead of None, if no matching nick is found."""
|
|
|
|
target = self.irc.nickToUid(target) or target
|
|
|
|
return target
|
|
|
|
|
2016-01-01 02:28:47 +01:00
|
|
|
### FakeIRC classes, used for test cases
|
|
|
|
|
|
|
|
class FakeIRC(Irc):
|
|
|
|
"""Fake IRC object used for unit tests."""
|
|
|
|
def connect(self):
|
|
|
|
self.messages = []
|
|
|
|
self.hookargs = []
|
|
|
|
self.hookmsgs = []
|
|
|
|
self.socket = None
|
|
|
|
self.initVars()
|
|
|
|
self.connected = threading.Event()
|
|
|
|
self.connected.set()
|
|
|
|
|
|
|
|
def run(self, data):
|
|
|
|
"""Queues a message to the fake IRC server."""
|
|
|
|
log.debug('<- ' + data)
|
|
|
|
hook_args = self.proto.handle_events(data)
|
|
|
|
if hook_args is not None:
|
|
|
|
self.hookmsgs.append(hook_args)
|
|
|
|
self.callHooks(hook_args)
|
|
|
|
|
|
|
|
def send(self, data):
|
|
|
|
self.messages.append(data)
|
|
|
|
log.debug('-> ' + data)
|
|
|
|
|
|
|
|
def takeMsgs(self):
|
|
|
|
"""Returns a list of messages sent by the protocol module since
|
|
|
|
the last takeMsgs() call, so we can track what has been sent."""
|
|
|
|
msgs = self.messages
|
|
|
|
self.messages = []
|
|
|
|
return msgs
|
|
|
|
|
|
|
|
def takeCommands(self, msgs):
|
|
|
|
"""Returns a list of commands parsed from the output of takeMsgs()."""
|
|
|
|
sidprefix = ':' + self.sid
|
|
|
|
commands = []
|
|
|
|
for m in msgs:
|
|
|
|
args = m.split()
|
|
|
|
if m.startswith(sidprefix):
|
|
|
|
commands.append(args[1])
|
|
|
|
else:
|
|
|
|
commands.append(args[0])
|
|
|
|
return commands
|
|
|
|
|
|
|
|
def takeHooks(self):
|
|
|
|
"""Returns a list of hook arguments sent by the protocol module since
|
|
|
|
the last takeHooks() call."""
|
|
|
|
hookmsgs = self.hookmsgs
|
|
|
|
self.hookmsgs = []
|
|
|
|
return hookmsgs
|
|
|
|
|
2015-09-07 08:39:10 +02:00
|
|
|
class FakeProto(Protocol):
|
2015-07-08 03:07:20 +02:00
|
|
|
"""Dummy protocol module for testing purposes."""
|
2015-09-07 08:39:10 +02:00
|
|
|
def handle_events(self, data):
|
2015-07-08 03:07:20 +02:00
|
|
|
pass
|
|
|
|
|
2015-09-07 08:39:10 +02:00
|
|
|
def connect(self):
|
2015-07-08 03:07:20 +02:00
|
|
|
pass
|
2015-07-18 07:52:55 +02:00
|
|
|
|
2015-09-07 08:39:10 +02:00
|
|
|
def spawnClient(self, nick, *args, **kwargs):
|
2015-09-13 07:26:38 +02:00
|
|
|
uid = str(randint(1, 10000000000))
|
2015-07-18 07:52:55 +02:00
|
|
|
ts = int(time.time())
|
2015-09-07 08:39:10 +02:00
|
|
|
self.irc.users[uid] = user = IrcUser(nick, ts, uid)
|
2015-07-18 07:52:55 +02:00
|
|
|
return user
|
|
|
|
|
2016-01-17 01:36:45 +01:00
|
|
|
def join(self, client, channel):
|
2015-09-07 08:39:10 +02:00
|
|
|
self.irc.channels[channel].users.add(client)
|
|
|
|
self.irc.users[client].channels.add(channel)
|
|
|
|
|
|
|
|
FakeProto.Class = FakeProto
|