2005-01-19 14:14:38 +01:00
|
|
|
###
|
2005-01-19 14:33:05 +01:00
|
|
|
# Copyright (c) 2002-2005, Jeremiah Fincher
|
2015-03-26 05:11:36 +01:00
|
|
|
# Copyright (c) 2009,2011,2015 James McCoy
|
2021-10-17 09:54:06 +02:00
|
|
|
# Copyright (c) 2010-2021, Valentin Lorentz
|
2005-01-19 14:14:38 +01:00
|
|
|
# All rights reserved.
|
|
|
|
#
|
|
|
|
# Redistribution and use in source and binary forms, with or without
|
|
|
|
# modification, are permitted provided that the following conditions are met:
|
|
|
|
#
|
|
|
|
# * Redistributions of source code must retain the above copyright notice,
|
|
|
|
# this list of conditions, and the following disclaimer.
|
|
|
|
# * Redistributions in binary form must reproduce the above copyright notice,
|
|
|
|
# this list of conditions, and the following disclaimer in the
|
|
|
|
# documentation and/or other materials provided with the distribution.
|
|
|
|
# * Neither the name of the author of this software nor the name of
|
|
|
|
# contributors to this software may be used to endorse or promote products
|
|
|
|
# derived from this software without specific prior written consent.
|
|
|
|
#
|
|
|
|
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
|
|
|
|
# AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
|
|
|
|
# IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
|
|
|
|
# ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
|
|
|
|
# LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
|
|
|
|
# CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
|
|
|
|
# SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
|
|
|
|
# INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
|
|
|
|
# CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
|
|
|
|
# ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
|
|
|
|
# POSSIBILITY OF SUCH DAMAGE.
|
|
|
|
###
|
|
|
|
|
|
|
|
"""
|
2009-08-16 23:17:05 +02:00
|
|
|
Provides a great number of useful utility functions for IRC. Things to muck
|
|
|
|
around with hostmasks, set bold or color on strings, IRC-case-insensitive
|
|
|
|
dicts, a nick class to handle nicks (so comparisons and hashing and whatnot
|
|
|
|
work in an IRC-case-insensitive fashion), and numerous other things.
|
2005-01-19 14:14:38 +01:00
|
|
|
"""
|
|
|
|
|
2012-08-04 14:18:53 +02:00
|
|
|
from __future__ import division
|
2014-01-20 15:31:09 +01:00
|
|
|
from __future__ import print_function
|
2012-08-04 14:18:53 +02:00
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
import re
|
2012-08-04 14:52:17 +02:00
|
|
|
import sys
|
2005-01-19 14:14:38 +01:00
|
|
|
import time
|
2020-05-07 20:56:59 +02:00
|
|
|
import uuid
|
2015-12-10 20:08:53 +01:00
|
|
|
import base64
|
2005-01-19 14:14:38 +01:00
|
|
|
import random
|
|
|
|
import string
|
|
|
|
import textwrap
|
2013-03-23 11:06:08 +01:00
|
|
|
import functools
|
2021-05-27 22:13:44 +02:00
|
|
|
import collections.abc
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2012-09-18 04:12:11 +02:00
|
|
|
from . import utils
|
2015-08-11 16:50:23 +02:00
|
|
|
from .utils import minisix
|
2015-02-06 05:26:14 +01:00
|
|
|
from .version import version
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2015-08-31 15:38:35 +02:00
|
|
|
from .i18n import PluginInternationalization
|
2015-05-16 03:21:17 +02:00
|
|
|
_ = PluginInternationalization()
|
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
def debug(s, *args):
|
|
|
|
"""Prints a debug string. Most likely replaced by our logging debug."""
|
2014-01-20 15:31:09 +01:00
|
|
|
print('***', s % args)
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2021-07-14 23:25:11 +02:00
|
|
|
def warning(s, *args):
|
|
|
|
"""Prints a debug string. Most likely replaced by our logging debug."""
|
|
|
|
print('###', s % args)
|
|
|
|
|
2021-07-14 23:42:35 +02:00
|
|
|
userHostmaskRe = re.compile(r'^(?P<nick>\S+?)!(?P<user>\S+)@(?P<host>\S+?)$')
|
2005-01-19 14:14:38 +01:00
|
|
|
def isUserHostmask(s):
|
|
|
|
"""Returns whether or not the string s is a valid User hostmask."""
|
2010-05-18 19:48:36 +02:00
|
|
|
return userHostmaskRe.match(s) is not None
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def isServerHostmask(s):
|
|
|
|
"""s => bool
|
|
|
|
Returns True if s is a valid server hostmask."""
|
|
|
|
return not isUserHostmask(s)
|
|
|
|
|
|
|
|
def nickFromHostmask(hostmask):
|
|
|
|
"""hostmask => nick
|
|
|
|
Returns the nick from a user hostmask."""
|
|
|
|
assert isUserHostmask(hostmask)
|
2010-05-18 19:48:36 +02:00
|
|
|
return splitHostmask(hostmask)[0]
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def userFromHostmask(hostmask):
|
|
|
|
"""hostmask => user
|
|
|
|
Returns the user from a user hostmask."""
|
|
|
|
assert isUserHostmask(hostmask)
|
2010-05-18 19:48:36 +02:00
|
|
|
return splitHostmask(hostmask)[1]
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def hostFromHostmask(hostmask):
|
|
|
|
"""hostmask => host
|
|
|
|
Returns the host from a user hostmask."""
|
|
|
|
assert isUserHostmask(hostmask)
|
2010-05-18 19:48:36 +02:00
|
|
|
return splitHostmask(hostmask)[2]
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def splitHostmask(hostmask):
|
|
|
|
"""hostmask => (nick, user, host)
|
|
|
|
Returns the nick, user, host of a user hostmask."""
|
2021-07-14 23:25:11 +02:00
|
|
|
m = userHostmaskRe.match(hostmask)
|
|
|
|
assert m is not None, hostmask
|
|
|
|
nick = m.group("nick")
|
|
|
|
user = m.group("user")
|
|
|
|
host = m.group("host")
|
|
|
|
if set("!@") & set(nick+user+host):
|
|
|
|
# There should never be either of these characters in the part.
|
|
|
|
# As far as I know it never happens in practice aside from networks
|
|
|
|
# broken by design.
|
|
|
|
warning("Invalid hostmask format: %s", hostmask)
|
|
|
|
# TODO: error if strictRfc is True
|
2014-01-20 15:43:55 +01:00
|
|
|
return (minisix.intern(nick), minisix.intern(user), minisix.intern(host))
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def joinHostmask(nick, ident, host):
|
|
|
|
"""nick, user, host => hostmask
|
|
|
|
Joins the nick, ident, host into a user hostmask."""
|
|
|
|
assert nick and ident and host
|
2014-01-20 15:43:55 +01:00
|
|
|
return minisix.intern('%s!%s@%s' % (nick, ident, host))
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2014-01-21 10:40:18 +01:00
|
|
|
_rfc1459trans = utils.str.MultipleReplacer(dict(list(zip(
|
2012-08-04 14:04:15 +02:00
|
|
|
string.ascii_uppercase + r'\[]~',
|
2014-01-21 10:40:18 +01:00
|
|
|
string.ascii_lowercase + r'|{}^'))))
|
2005-01-19 14:14:38 +01:00
|
|
|
def toLower(s, casemapping=None):
|
|
|
|
"""s => s
|
|
|
|
Returns the string s lowered according to IRC case rules."""
|
|
|
|
if casemapping is None or casemapping == 'rfc1459':
|
2012-08-04 14:04:15 +02:00
|
|
|
return _rfc1459trans(s)
|
2005-01-19 14:14:38 +01:00
|
|
|
elif casemapping == 'ascii': # freenode
|
|
|
|
return s.lower()
|
|
|
|
else:
|
2014-01-20 15:43:55 +01:00
|
|
|
raise ValueError('Invalid casemapping: %r' % casemapping)
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def strEqual(nick1, nick2):
|
|
|
|
"""s1, s2 => bool
|
|
|
|
Returns True if nick1 == nick2 according to IRC case rules."""
|
2015-08-10 20:24:11 +02:00
|
|
|
assert isinstance(nick1, minisix.string_types)
|
|
|
|
assert isinstance(nick2, minisix.string_types)
|
2005-01-19 14:14:38 +01:00
|
|
|
return toLower(nick1) == toLower(nick2)
|
|
|
|
|
|
|
|
nickEqual = strEqual
|
|
|
|
|
2005-08-02 04:47:42 +02:00
|
|
|
_nickchars = r'[]\`_^{|}'
|
|
|
|
nickRe = re.compile(r'^[A-Za-z%s][-0-9A-Za-z%s]*$'
|
2005-01-19 14:14:38 +01:00
|
|
|
% (re.escape(_nickchars), re.escape(_nickchars)))
|
|
|
|
def isNick(s, strictRfc=True, nicklen=None):
|
|
|
|
"""s => bool
|
|
|
|
Returns True if s is a valid IRC nick."""
|
|
|
|
if strictRfc:
|
|
|
|
ret = bool(nickRe.match(s))
|
|
|
|
if ret and nicklen is not None:
|
|
|
|
ret = len(s) <= nicklen
|
|
|
|
return ret
|
|
|
|
else:
|
|
|
|
return not isChannel(s) and \
|
|
|
|
not isUserHostmask(s) and \
|
|
|
|
not ' ' in s and not '!' in s
|
|
|
|
|
2013-03-23 11:06:08 +01:00
|
|
|
def areNicks(s, strictRfc=True, nicklen=None):
|
|
|
|
"""Like 'isNick(x)' but for comma-separated list."""
|
|
|
|
nick = functools.partial(isNick, strictRfc=strictRfc, nicklen=nicklen)
|
|
|
|
return all(map(nick, s.split(',')))
|
|
|
|
|
2019-08-04 21:28:45 +02:00
|
|
|
def isChannel(s, chantypes='#&!', channellen=50):
|
2005-01-19 14:14:38 +01:00
|
|
|
"""s => bool
|
|
|
|
Returns True if s is a valid IRC channel name."""
|
|
|
|
return s and \
|
|
|
|
',' not in s and \
|
|
|
|
'\x07' not in s and \
|
|
|
|
s[0] in chantypes and \
|
|
|
|
len(s) <= channellen and \
|
|
|
|
len(s.split(None, 1)) == 1
|
|
|
|
|
2019-08-04 21:28:45 +02:00
|
|
|
def areChannels(s, chantypes='#&!', channellen=50):
|
2013-03-23 11:06:08 +01:00
|
|
|
"""Like 'isChannel(x)' but for comma-separated list."""
|
|
|
|
chan = functools.partial(isChannel, chantypes=chantypes,
|
|
|
|
channellen=channellen)
|
|
|
|
return all(map(chan, s.split(',')))
|
|
|
|
|
2019-08-04 21:28:45 +02:00
|
|
|
def areReceivers(s, strictRfc=True, nicklen=None, chantypes='#&!',
|
2013-03-23 11:06:08 +01:00
|
|
|
channellen=50):
|
|
|
|
"""Like 'isNick(x) or isChannel(x)' but for comma-separated list."""
|
|
|
|
nick = functools.partial(isNick, strictRfc=strictRfc, nicklen=nicklen)
|
|
|
|
chan = functools.partial(isChannel, chantypes=chantypes,
|
|
|
|
channellen=channellen)
|
2014-01-21 10:57:38 +01:00
|
|
|
return all([nick(x) or chan(x) for x in s.split(',')])
|
2013-03-23 11:06:08 +01:00
|
|
|
|
2009-04-03 16:04:39 +02:00
|
|
|
_patternCache = utils.structures.CacheDict(1000)
|
2021-05-27 22:13:44 +02:00
|
|
|
def _compileHostmaskPattern(pattern):
|
2005-01-19 14:14:38 +01:00
|
|
|
try:
|
2021-05-27 21:36:43 +02:00
|
|
|
return _patternCache[pattern]
|
2005-01-19 14:14:38 +01:00
|
|
|
except KeyError:
|
|
|
|
# We make our own regexps, rather than use fnmatch, because fnmatch's
|
|
|
|
# case-insensitivity is not IRC's case-insensitity.
|
2015-08-10 17:55:25 +02:00
|
|
|
fd = minisix.io.StringIO()
|
2005-01-19 14:14:38 +01:00
|
|
|
for c in pattern:
|
|
|
|
if c == '*':
|
|
|
|
fd.write('.*')
|
|
|
|
elif c == '?':
|
|
|
|
fd.write('.')
|
|
|
|
elif c in '[{':
|
2018-12-29 23:36:57 +01:00
|
|
|
fd.write(r'[\[{]')
|
2005-01-19 14:14:38 +01:00
|
|
|
elif c in '}]':
|
|
|
|
fd.write(r'[}\]]')
|
|
|
|
elif c in '|\\':
|
|
|
|
fd.write(r'[|\\]')
|
|
|
|
elif c in '^~':
|
|
|
|
fd.write('[~^]')
|
|
|
|
else:
|
|
|
|
fd.write(re.escape(c))
|
|
|
|
fd.write('$')
|
|
|
|
f = re.compile(fd.getvalue(), re.I).match
|
|
|
|
_patternCache[pattern] = f
|
2021-05-27 21:36:43 +02:00
|
|
|
return f
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2009-04-03 16:04:39 +02:00
|
|
|
_hostmaskPatternEqualCache = utils.structures.CacheDict(1000)
|
2005-01-19 14:14:38 +01:00
|
|
|
def hostmaskPatternEqual(pattern, hostmask):
|
|
|
|
"""pattern, hostmask => bool
|
|
|
|
Returns True if hostmask matches the hostmask pattern pattern."""
|
|
|
|
try:
|
|
|
|
return _hostmaskPatternEqualCache[(pattern, hostmask)]
|
|
|
|
except KeyError:
|
2021-05-27 22:13:44 +02:00
|
|
|
matched = _compileHostmaskPattern(pattern)(hostmask) is not None
|
2021-05-27 21:36:43 +02:00
|
|
|
_hostmaskPatternEqualCache[(pattern, hostmask)] = matched
|
|
|
|
return matched
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2021-05-27 22:13:44 +02:00
|
|
|
class HostmaskSet(collections.abc.MutableSet):
|
|
|
|
"""Stores a set of hostmasks and caches their pattern as compiled
|
|
|
|
by _compileHostmaskPattern.
|
|
|
|
|
|
|
|
This is an alternative to hostmaskPatternEqual for sets of patterns that
|
|
|
|
do not change often, such as ircdb.IrcUser.
|
|
|
|
ircdb.IrcUser used to store a real set, of hostmasks as strings, then
|
|
|
|
call hostmaskPatternEqual on each of these strings. This is good enough
|
|
|
|
most of the time, as hostmaskPatternEqual has a cache.
|
|
|
|
|
|
|
|
Unfortunately, it is a LRU cache, and hostmasks are checked in order.
|
|
|
|
This means that as soon as you have most hostmasks than the size of the
|
|
|
|
cache, EVERY call to hostmaskPatternEqual will be a cache miss, so the
|
|
|
|
regexp will need to be recompile every time.
|
|
|
|
This is VERY expensive, because building the regexp is slow, and
|
|
|
|
re.compile() is even slower."""
|
|
|
|
|
|
|
|
def __init__(self, hostmasks=()):
|
|
|
|
self.data = {} # {hostmask_str: _compileHostmaskPattern(hostmask_str)}
|
|
|
|
for hostmask in hostmasks:
|
|
|
|
self.add(hostmask)
|
|
|
|
|
|
|
|
def add(self, hostmask):
|
|
|
|
self.data[hostmask] = _compileHostmaskPattern(hostmask)
|
|
|
|
|
|
|
|
def discard(self, hostmask):
|
|
|
|
self.data.pop(hostmask, None)
|
|
|
|
|
|
|
|
def __contains__(self, hostmask):
|
|
|
|
return hostmask in self.data
|
|
|
|
|
|
|
|
def __iter__(self):
|
|
|
|
return iter(self.data)
|
|
|
|
|
|
|
|
def __len__(self):
|
|
|
|
return len(self.data)
|
|
|
|
|
|
|
|
def match(self, hostname):
|
|
|
|
# Potential optimization: join all the patterns into a single one.
|
|
|
|
for (pattern, compiled_pattern) in self.data.items():
|
|
|
|
if compiled_pattern(hostname) is not None:
|
|
|
|
return pattern
|
|
|
|
return None
|
|
|
|
|
2021-05-30 19:06:19 +02:00
|
|
|
def __repr__(self):
|
|
|
|
return 'HostmaskSet(%r)' % (list(self.data),)
|
|
|
|
|
|
|
|
|
|
|
|
class ExpiringHostmaskDict(collections.abc.MutableMapping):
|
|
|
|
"""Like HostmaskSet, but behaves like a dict with expiration timestamps
|
|
|
|
as values."""
|
|
|
|
|
|
|
|
# To keep it thread-safe, add to self.patterns first, then
|
|
|
|
# self.data; and remove from self.data first.
|
|
|
|
# And never iterate on self.patterns
|
|
|
|
|
|
|
|
def __init__(self, hostmasks=None):
|
|
|
|
if isinstance(hostmasks, (list, tuple)):
|
|
|
|
hostmasks = dict(hostmasks)
|
|
|
|
self.data = hostmasks or {}
|
|
|
|
self.patterns = HostmaskSet(list(self.data))
|
|
|
|
|
|
|
|
def __getitem__(self, hostmask):
|
|
|
|
return self.data[hostmask]
|
|
|
|
|
|
|
|
def __setitem__(self, hostmask, expiration):
|
|
|
|
"""For backward compatibility, in case any plugin depends on it
|
|
|
|
being dict-like."""
|
|
|
|
self.patterns.add(hostmask)
|
|
|
|
self.data[hostmask] = expiration
|
|
|
|
|
|
|
|
def __iter__(self):
|
|
|
|
return iter(self.data)
|
|
|
|
|
|
|
|
def __len__(self):
|
|
|
|
return len(self.data)
|
|
|
|
|
|
|
|
def __delitem__(self, hostmask):
|
|
|
|
del self.data[hostmask]
|
|
|
|
self.patterns.discard(hostmask)
|
|
|
|
|
|
|
|
def expire(self):
|
|
|
|
now = time.time()
|
|
|
|
for (hostmask, expiration) in list(self.data.items()):
|
|
|
|
if now >= expiration and expiration:
|
|
|
|
self.pop(hostmask, None)
|
|
|
|
|
|
|
|
def match(self, hostname):
|
|
|
|
self.expire()
|
|
|
|
return self.patterns.match(hostname)
|
|
|
|
|
|
|
|
def clear(self):
|
|
|
|
self.data.clear()
|
|
|
|
self.patterns.clear()
|
|
|
|
|
|
|
|
def __repr__(self):
|
|
|
|
return 'ExpiringHostmaskSet(%r)' % (self.expirations,)
|
|
|
|
|
2021-05-27 22:13:44 +02:00
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
def banmask(hostmask):
|
|
|
|
"""Returns a properly generic banning hostmask for a hostmask.
|
|
|
|
|
|
|
|
>>> banmask('nick!user@host.domain.tld')
|
|
|
|
'*!*@*.domain.tld'
|
|
|
|
|
|
|
|
>>> banmask('nick!user@10.0.0.1')
|
|
|
|
'*!*@10.0.0.*'
|
|
|
|
"""
|
|
|
|
assert isUserHostmask(hostmask)
|
|
|
|
host = hostFromHostmask(hostmask)
|
2011-06-07 03:44:15 +02:00
|
|
|
if utils.net.isIPV4(host):
|
2005-01-19 14:14:38 +01:00
|
|
|
L = host.split('.')
|
|
|
|
L[-1] = '*'
|
|
|
|
return '*!*@' + '.'.join(L)
|
2005-01-27 07:59:08 +01:00
|
|
|
elif utils.net.isIPV6(host):
|
2005-01-19 14:14:38 +01:00
|
|
|
L = host.split(':')
|
|
|
|
L[-1] = '*'
|
|
|
|
return '*!*@' + ':'.join(L)
|
|
|
|
else:
|
2011-01-24 22:09:18 +01:00
|
|
|
if len(host.split('.')) > 2: # If it is a subdomain
|
2005-01-19 14:14:38 +01:00
|
|
|
return '*!*@*%s' % host[host.find('.'):]
|
|
|
|
else:
|
|
|
|
return '*!*@' + host
|
|
|
|
|
2013-11-25 21:44:52 +01:00
|
|
|
_plusRequireArguments = 'ovhblkqeI'
|
|
|
|
_minusRequireArguments = 'ovhbkqeI'
|
2005-01-19 14:14:38 +01:00
|
|
|
def separateModes(args):
|
|
|
|
"""Separates modelines into single mode change tuples. Basically, you
|
|
|
|
should give it the .args of a MODE IrcMsg.
|
|
|
|
|
|
|
|
Examples:
|
|
|
|
|
|
|
|
>>> separateModes(['+ooo', 'jemfinch', 'StoneTable', 'philmes'])
|
|
|
|
[('+o', 'jemfinch'), ('+o', 'StoneTable'), ('+o', 'philmes')]
|
|
|
|
|
|
|
|
>>> separateModes(['+o-o', 'jemfinch', 'PeterB'])
|
|
|
|
[('+o', 'jemfinch'), ('-o', 'PeterB')]
|
|
|
|
|
|
|
|
>>> separateModes(['+s-o', 'test'])
|
|
|
|
[('+s', None), ('-o', 'test')]
|
|
|
|
|
|
|
|
>>> separateModes(['+sntl', '100'])
|
|
|
|
[('+s', None), ('+n', None), ('+t', None), ('+l', 100)]
|
|
|
|
"""
|
|
|
|
if not args:
|
|
|
|
return []
|
|
|
|
modes = args[0]
|
|
|
|
args = list(args[1:])
|
|
|
|
ret = []
|
2018-02-06 15:35:49 +01:00
|
|
|
last = '+'
|
2005-01-19 14:14:38 +01:00
|
|
|
for c in modes:
|
|
|
|
if c in '+-':
|
|
|
|
last = c
|
|
|
|
else:
|
|
|
|
if last == '+':
|
|
|
|
requireArguments = _plusRequireArguments
|
|
|
|
else:
|
|
|
|
requireArguments = _minusRequireArguments
|
|
|
|
if c in requireArguments:
|
2012-12-26 15:37:52 +01:00
|
|
|
if not args:
|
|
|
|
# It happens, for example with "MODE #channel +b", which
|
|
|
|
# is used for getting the list of all bans.
|
|
|
|
continue
|
2005-01-19 14:14:38 +01:00
|
|
|
arg = args.pop(0)
|
|
|
|
try:
|
|
|
|
arg = int(arg)
|
|
|
|
except ValueError:
|
|
|
|
pass
|
|
|
|
ret.append((last + c, arg))
|
|
|
|
else:
|
|
|
|
ret.append((last + c, None))
|
|
|
|
return ret
|
|
|
|
|
|
|
|
def joinModes(modes):
|
|
|
|
"""[(mode, targetOrNone), ...] => args
|
|
|
|
Joins modes of the same form as returned by separateModes."""
|
|
|
|
args = []
|
|
|
|
modeChars = []
|
|
|
|
currentMode = '\x00'
|
|
|
|
for (mode, arg) in modes:
|
|
|
|
if arg is not None:
|
|
|
|
args.append(arg)
|
|
|
|
if not mode.startswith(currentMode):
|
|
|
|
currentMode = mode[0]
|
|
|
|
modeChars.append(mode[0])
|
|
|
|
modeChars.append(mode[1])
|
|
|
|
args.insert(0, ''.join(modeChars))
|
|
|
|
return args
|
|
|
|
|
|
|
|
def bold(s):
|
|
|
|
"""Returns the string s, bolded."""
|
|
|
|
return '\x02%s\x02' % s
|
|
|
|
|
2015-08-21 23:22:43 +02:00
|
|
|
def italic(s):
|
|
|
|
"""Returns the string s, italicised."""
|
|
|
|
return '\x1D%s\x1D' % s
|
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
def reverse(s):
|
|
|
|
"""Returns the string s, reverse-videoed."""
|
|
|
|
return '\x16%s\x16' % s
|
|
|
|
|
|
|
|
def underline(s):
|
|
|
|
"""Returns the string s, underlined."""
|
|
|
|
return '\x1F%s\x1F' % s
|
|
|
|
|
|
|
|
# Definition of mircColors dictionary moved below because it became an IrcDict.
|
|
|
|
def mircColor(s, fg=None, bg=None):
|
|
|
|
"""Returns s with the appropriate mIRC color codes applied."""
|
|
|
|
if fg is None and bg is None:
|
|
|
|
return s
|
|
|
|
elif bg is None:
|
2012-06-16 13:27:31 +02:00
|
|
|
if str(fg) in mircColors:
|
|
|
|
fg = mircColors[str(fg)]
|
|
|
|
elif len(str(fg)) > 1:
|
|
|
|
fg = mircColors[str(fg)[:-1]]
|
|
|
|
else:
|
|
|
|
# Should not happen
|
|
|
|
pass
|
2005-01-19 14:14:38 +01:00
|
|
|
return '\x03%s%s\x03' % (fg.zfill(2), s)
|
|
|
|
elif fg is None:
|
|
|
|
bg = mircColors[str(bg)]
|
2006-05-25 21:52:16 +02:00
|
|
|
# According to the mirc color doc, a fg color MUST be specified if a
|
|
|
|
# background color is specified. So, we'll specify 00 (white) if the
|
|
|
|
# user doesn't specify one.
|
|
|
|
return '\x0300,%s%s\x03' % (bg.zfill(2), s)
|
2005-01-19 14:14:38 +01:00
|
|
|
else:
|
|
|
|
fg = mircColors[str(fg)]
|
|
|
|
bg = mircColors[str(bg)]
|
|
|
|
# No need to zfill fg because the comma delimits.
|
|
|
|
return '\x03%s,%s%s\x03' % (fg, bg.zfill(2), s)
|
|
|
|
|
|
|
|
def canonicalColor(s, bg=False, shift=0):
|
|
|
|
"""Assigns an (fg, bg) canonical color pair to a string based on its hash
|
|
|
|
value. This means it might change between Python versions. This pair can
|
|
|
|
be used as a *parameter to mircColor. The shift parameter is how much to
|
|
|
|
right-shift the hash value initially.
|
|
|
|
"""
|
|
|
|
h = hash(s) >> shift
|
|
|
|
fg = h % 14 + 2 # The + 2 is to rule out black and white.
|
|
|
|
if bg:
|
|
|
|
bg = (h >> 4) & 3 # The 5th, 6th, and 7th least significant bits.
|
|
|
|
if fg < 8:
|
|
|
|
bg += 8
|
|
|
|
else:
|
|
|
|
bg += 2
|
|
|
|
return (fg, bg)
|
|
|
|
else:
|
|
|
|
return (fg, None)
|
|
|
|
|
|
|
|
def stripBold(s):
|
|
|
|
"""Returns the string s, with bold removed."""
|
|
|
|
return s.replace('\x02', '')
|
|
|
|
|
2015-08-21 23:22:43 +02:00
|
|
|
def stripItalic(s):
|
|
|
|
"""Returns the string s, with italics removed."""
|
|
|
|
return s.replace('\x1d', '')
|
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
_stripColorRe = re.compile(r'\x03(?:\d{1,2},\d{1,2}|\d{1,2}|,\d{1,2}|)')
|
|
|
|
def stripColor(s):
|
|
|
|
"""Returns the string s, with color removed."""
|
|
|
|
return _stripColorRe.sub('', s)
|
|
|
|
|
|
|
|
def stripReverse(s):
|
|
|
|
"""Returns the string s, with reverse-video removed."""
|
|
|
|
return s.replace('\x16', '')
|
|
|
|
|
|
|
|
def stripUnderline(s):
|
|
|
|
"""Returns the string s, with underlining removed."""
|
2017-02-24 02:30:34 +01:00
|
|
|
return s.replace('\x1f', '')
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def stripFormatting(s):
|
|
|
|
"""Returns the string s, with all formatting removed."""
|
|
|
|
# stripColor has to go first because of some strings, check the tests.
|
|
|
|
s = stripColor(s)
|
|
|
|
s = stripBold(s)
|
|
|
|
s = stripReverse(s)
|
|
|
|
s = stripUnderline(s)
|
2015-08-21 23:22:43 +02:00
|
|
|
s = stripItalic(s)
|
2017-02-24 02:30:34 +01:00
|
|
|
return s.replace('\x0f', '')
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2015-03-26 05:11:36 +01:00
|
|
|
_containsFormattingRe = re.compile(r'[\x02\x03\x16\x1f]')
|
2015-05-15 14:41:08 +02:00
|
|
|
def formatWhois(irc, replies, caller='', channel='', command='whois'):
|
2015-03-26 05:11:36 +01:00
|
|
|
"""Returns a string describing the target of a WHOIS command.
|
|
|
|
|
|
|
|
Arguments are:
|
|
|
|
* irc: the irclib.Irc object on which the replies was received
|
|
|
|
|
|
|
|
* replies: a dict mapping the reply codes ('311', '312', etc.) to their
|
|
|
|
corresponding ircmsg.IrcMsg
|
|
|
|
|
|
|
|
* caller: an optional nick specifying who requested the whois information
|
|
|
|
|
|
|
|
* channel: an optional channel specifying where the reply will be sent
|
|
|
|
|
|
|
|
If provided, caller and channel will be used to avoid leaking information
|
|
|
|
that the caller/channel shouldn't be privy to.
|
|
|
|
"""
|
|
|
|
hostmask = '@'.join(replies['311'].args[2:4])
|
|
|
|
nick = replies['318'].args[1]
|
|
|
|
user = replies['311'].args[-1]
|
2015-05-15 14:41:08 +02:00
|
|
|
START_CODE = '311' if command == 'whois' else '314'
|
2015-05-16 03:21:17 +02:00
|
|
|
hostmask = '@'.join(replies[START_CODE].args[2:4])
|
|
|
|
user = replies[START_CODE].args[-1]
|
2015-03-26 05:11:36 +01:00
|
|
|
if _containsFormattingRe.search(user) and user[-1] != '\x0f':
|
|
|
|
# For good measure, disable any formatting
|
|
|
|
user = '%s\x0f' % user
|
|
|
|
if '319' in replies:
|
2015-05-16 03:21:17 +02:00
|
|
|
channels = []
|
|
|
|
for msg in replies['319']:
|
|
|
|
channels.extend(msg.args[-1].split())
|
2015-03-26 05:11:36 +01:00
|
|
|
ops = []
|
|
|
|
voices = []
|
|
|
|
normal = []
|
|
|
|
halfops = []
|
|
|
|
for chan in channels:
|
|
|
|
origchan = chan
|
|
|
|
chan = chan.lstrip('@%+~!')
|
|
|
|
# UnrealIRCd uses & for user modes and disallows it as a
|
|
|
|
# channel-prefix, flying in the face of the RFC. Have to
|
|
|
|
# handle this specially when processing WHOIS response.
|
|
|
|
testchan = chan.lstrip('&')
|
|
|
|
if testchan != chan and irc.isChannel(testchan):
|
|
|
|
chan = testchan
|
|
|
|
diff = len(chan) - len(origchan)
|
|
|
|
modes = origchan[:diff]
|
|
|
|
chanState = irc.state.channels.get(chan)
|
|
|
|
# The user is in a channel the bot is in, so the ircd may have
|
|
|
|
# responded with otherwise private data.
|
|
|
|
if chanState:
|
2015-05-16 03:36:06 +02:00
|
|
|
# Skip channels the caller isn't in. This prevents
|
|
|
|
# us from leaking information when the channel is +s or the
|
|
|
|
# target is +i.
|
2015-03-26 05:11:36 +01:00
|
|
|
if caller not in chanState.users:
|
|
|
|
continue
|
2015-07-16 19:14:00 +02:00
|
|
|
# Skip +s/+p channels the target is in only if the reply isn't
|
2015-05-16 03:36:06 +02:00
|
|
|
# being sent to that channel.
|
2015-08-08 12:42:25 +02:00
|
|
|
if set(('p', 's')) & set(chanState.modes.keys()) and \
|
2015-05-16 03:36:06 +02:00
|
|
|
not strEqual(channel or '', chan):
|
2015-03-26 05:11:36 +01:00
|
|
|
continue
|
|
|
|
if not modes:
|
|
|
|
normal.append(chan)
|
|
|
|
elif utils.iter.any(lambda c: c in modes,('@', '&', '~', '!')):
|
2015-05-16 03:46:28 +02:00
|
|
|
ops.append(chan)
|
2015-03-26 05:11:36 +01:00
|
|
|
elif utils.iter.any(lambda c: c in modes, ('%',)):
|
2015-05-16 03:46:28 +02:00
|
|
|
halfops.append(chan)
|
2015-03-26 05:11:36 +01:00
|
|
|
elif utils.iter.any(lambda c: c in modes, ('+',)):
|
2015-05-16 03:46:28 +02:00
|
|
|
voices.append(chan)
|
2015-03-26 05:11:36 +01:00
|
|
|
L = []
|
|
|
|
if ops:
|
2015-05-15 14:41:08 +02:00
|
|
|
L.append(format(_('is an op on %L'), ops))
|
2015-03-26 05:11:36 +01:00
|
|
|
if halfops:
|
2015-05-15 14:41:08 +02:00
|
|
|
L.append(format(_('is a halfop on %L'), halfops))
|
2015-03-26 05:11:36 +01:00
|
|
|
if voices:
|
2015-05-15 14:41:08 +02:00
|
|
|
L.append(format(_('is voiced on %L'), voices))
|
2015-03-26 05:11:36 +01:00
|
|
|
if normal:
|
|
|
|
if L:
|
2015-05-15 14:41:08 +02:00
|
|
|
L.append(format(_('is also on %L'), normal))
|
2015-03-26 05:11:36 +01:00
|
|
|
else:
|
2015-05-15 14:41:08 +02:00
|
|
|
L.append(format(_('is on %L'), normal))
|
2015-03-26 05:11:36 +01:00
|
|
|
else:
|
2015-05-15 14:41:08 +02:00
|
|
|
if command == 'whois':
|
2015-05-16 03:36:06 +02:00
|
|
|
L = [_('isn\'t on any publicly visible channels')]
|
2015-05-15 14:41:08 +02:00
|
|
|
else:
|
|
|
|
L = []
|
2015-03-26 05:11:36 +01:00
|
|
|
channels = format('%L', L)
|
|
|
|
if '317' in replies:
|
|
|
|
idle = utils.timeElapsed(replies['317'].args[2])
|
|
|
|
signon = utils.str.timestamp(float(replies['317'].args[3]))
|
|
|
|
else:
|
2019-11-24 12:47:03 +01:00
|
|
|
idle = _('<unknown>')
|
|
|
|
signon = _('<unknown>')
|
2015-03-26 05:11:36 +01:00
|
|
|
if '312' in replies:
|
|
|
|
server = replies['312'].args[2]
|
2015-05-16 03:21:17 +02:00
|
|
|
if len(replies['312']) > 3:
|
|
|
|
signoff = replies['312'].args[3]
|
2015-03-26 05:11:36 +01:00
|
|
|
else:
|
2019-11-24 12:47:03 +01:00
|
|
|
server = _('<unknown>')
|
2015-03-26 05:11:36 +01:00
|
|
|
if '301' in replies:
|
2019-11-24 12:47:03 +01:00
|
|
|
away = _(' %s is away: %s.') % (nick, replies['301'].args[2])
|
2015-03-26 05:11:36 +01:00
|
|
|
else:
|
|
|
|
away = ''
|
|
|
|
if '320' in replies:
|
|
|
|
if replies['320'].args[2]:
|
2019-11-24 12:47:03 +01:00
|
|
|
identify = _(' identified')
|
2015-03-26 05:11:36 +01:00
|
|
|
else:
|
|
|
|
identify = ''
|
|
|
|
else:
|
|
|
|
identify = ''
|
2015-05-15 14:41:08 +02:00
|
|
|
if command == 'whois':
|
2015-05-16 03:36:06 +02:00
|
|
|
s = _('%s (%s) has been%s on server %s since %s (idle for %s). %s '
|
|
|
|
'%s.%s') % (user, hostmask, identify, server,
|
|
|
|
signon, idle, nick, channels, away)
|
2015-05-15 14:41:08 +02:00
|
|
|
else:
|
2015-05-16 03:36:06 +02:00
|
|
|
s = _('%s (%s) has been%s on server %s and disconnected on %s.') % \
|
2015-05-15 14:41:08 +02:00
|
|
|
(user, hostmask, identify, server, signoff)
|
2015-03-26 05:11:36 +01:00
|
|
|
return s
|
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
class FormatContext(object):
|
|
|
|
def __init__(self):
|
|
|
|
self.reset()
|
|
|
|
|
|
|
|
def reset(self):
|
|
|
|
self.fg = None
|
|
|
|
self.bg = None
|
|
|
|
self.bold = False
|
|
|
|
self.reverse = False
|
|
|
|
self.underline = False
|
|
|
|
|
|
|
|
def start(self, s):
|
|
|
|
"""Given a string, starts all the formatters in this context."""
|
|
|
|
if self.bold:
|
|
|
|
s = '\x02' + s
|
|
|
|
if self.reverse:
|
|
|
|
s = '\x16' + s
|
|
|
|
if self.underline:
|
|
|
|
s = '\x1f' + s
|
|
|
|
if self.fg is not None or self.bg is not None:
|
|
|
|
s = mircColor(s, fg=self.fg, bg=self.bg)[:-1] # Remove \x03.
|
|
|
|
return s
|
|
|
|
|
|
|
|
def end(self, s):
|
|
|
|
"""Given a string, ends all the formatters in this context."""
|
|
|
|
if self.bold or self.reverse or \
|
|
|
|
self.fg or self.bg or self.underline:
|
|
|
|
# Should we individually end formatters?
|
|
|
|
s += '\x0f'
|
|
|
|
return s
|
|
|
|
|
2019-01-05 23:47:56 +01:00
|
|
|
def size(self):
|
|
|
|
"""Returns the number of bytes needed to reproduce this context in an
|
|
|
|
IRC string."""
|
|
|
|
prefix_size = self.bold + self.reverse + self.underline + \
|
|
|
|
bool(self.fg) + bool(self.bg)
|
2019-01-06 16:48:04 +01:00
|
|
|
if self.fg and self.bg:
|
|
|
|
prefix_size += 6 # '\x03xx,yy%s'
|
|
|
|
elif self.fg or self.bg:
|
|
|
|
prefix_size += 3 # '\x03xx%s'
|
2019-01-05 23:47:56 +01:00
|
|
|
if prefix_size:
|
|
|
|
return prefix_size + 1 # '\x0f'
|
|
|
|
else:
|
|
|
|
return 0
|
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
class FormatParser(object):
|
|
|
|
def __init__(self, s):
|
2015-08-10 17:55:25 +02:00
|
|
|
self.fd = minisix.io.StringIO(s)
|
2005-01-19 14:14:38 +01:00
|
|
|
self.last = None
|
2019-01-05 23:47:56 +01:00
|
|
|
self.max_context_size = 0
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def getChar(self):
|
|
|
|
if self.last is not None:
|
|
|
|
c = self.last
|
|
|
|
self.last = None
|
|
|
|
return c
|
|
|
|
else:
|
|
|
|
return self.fd.read(1)
|
|
|
|
|
|
|
|
def ungetChar(self, c):
|
|
|
|
self.last = c
|
|
|
|
|
|
|
|
def parse(self):
|
|
|
|
context = FormatContext()
|
|
|
|
c = self.getChar()
|
|
|
|
while c:
|
|
|
|
if c == '\x02':
|
|
|
|
context.bold = not context.bold
|
2019-01-05 23:47:56 +01:00
|
|
|
self.max_context_size = max(
|
|
|
|
self.max_context_size, context.size())
|
2005-01-19 14:14:38 +01:00
|
|
|
elif c == '\x16':
|
|
|
|
context.reverse = not context.reverse
|
2019-01-05 23:47:56 +01:00
|
|
|
self.max_context_size = max(
|
|
|
|
self.max_context_size, context.size())
|
2005-01-19 14:14:38 +01:00
|
|
|
elif c == '\x1f':
|
|
|
|
context.underline = not context.underline
|
2019-01-05 23:47:56 +01:00
|
|
|
self.max_context_size = max(
|
|
|
|
self.max_context_size, context.size())
|
2005-01-19 14:14:38 +01:00
|
|
|
elif c == '\x0f':
|
|
|
|
context.reset()
|
|
|
|
elif c == '\x03':
|
|
|
|
self.getColor(context)
|
2019-01-05 23:47:56 +01:00
|
|
|
self.max_context_size = max(
|
|
|
|
self.max_context_size, context.size())
|
2005-01-19 14:14:38 +01:00
|
|
|
c = self.getChar()
|
|
|
|
return context
|
|
|
|
|
|
|
|
def getInt(self):
|
|
|
|
i = 0
|
|
|
|
setI = False
|
|
|
|
c = self.getChar()
|
2012-07-03 03:11:50 +02:00
|
|
|
while c.isdigit():
|
|
|
|
j = i * 10
|
|
|
|
j += int(c)
|
|
|
|
if j >= 16:
|
|
|
|
self.ungetChar(c)
|
|
|
|
break
|
|
|
|
else:
|
|
|
|
setI = True
|
|
|
|
i = j
|
|
|
|
c = self.getChar()
|
2005-01-19 14:14:38 +01:00
|
|
|
self.ungetChar(c)
|
|
|
|
if setI:
|
|
|
|
return i
|
|
|
|
else:
|
|
|
|
return None
|
|
|
|
|
|
|
|
def getColor(self, context):
|
|
|
|
context.fg = self.getInt()
|
|
|
|
c = self.getChar()
|
|
|
|
if c == ',':
|
|
|
|
context.bg = self.getInt()
|
2012-07-03 03:11:50 +02:00
|
|
|
else:
|
|
|
|
self.ungetChar(c)
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2018-04-14 22:31:30 +02:00
|
|
|
def wrap(s, length, break_on_hyphens = False):
|
2019-01-05 23:47:56 +01:00
|
|
|
# Get the maximum number of bytes needed to format a chunk of the string
|
|
|
|
# at any point.
|
|
|
|
# This is an overapproximation of what each chunk will need, but it's
|
|
|
|
# either that or make the code of byteTextWrap aware of contexts, and its
|
|
|
|
# code is complicated enough as it is already.
|
|
|
|
parser = FormatParser(s)
|
|
|
|
parser.parse()
|
|
|
|
format_overhead = parser.max_context_size
|
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
processed = []
|
2019-01-05 23:47:56 +01:00
|
|
|
chunks = utils.str.byteTextWrap(s, length - format_overhead)
|
2005-01-19 14:14:38 +01:00
|
|
|
context = None
|
|
|
|
for chunk in chunks:
|
|
|
|
if context is not None:
|
|
|
|
chunk = context.start(chunk)
|
|
|
|
context = FormatParser(chunk).parse()
|
|
|
|
processed.append(context.end(chunk))
|
|
|
|
return processed
|
|
|
|
|
|
|
|
def isValidArgument(s):
|
|
|
|
"""Returns whether s is strictly a valid argument for an IRC message."""
|
2013-02-03 18:50:20 +01:00
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
return '\r' not in s and '\n' not in s and '\x00' not in s
|
|
|
|
|
|
|
|
def safeArgument(s):
|
|
|
|
"""If s is unsafe for IRC, returns a safe version."""
|
2015-08-09 00:23:03 +02:00
|
|
|
if minisix.PY2 and isinstance(s, unicode):
|
2005-01-19 14:14:38 +01:00
|
|
|
s = s.encode('utf-8')
|
2015-08-10 20:24:11 +02:00
|
|
|
elif (minisix.PY2 and not isinstance(s, minisix.string_types)) or \
|
2015-08-09 00:23:03 +02:00
|
|
|
(minisix.PY3 and not isinstance(s, str)):
|
2005-01-27 07:59:08 +01:00
|
|
|
debug('Got a non-string in safeArgument: %r', s)
|
2005-01-19 14:14:38 +01:00
|
|
|
s = str(s)
|
|
|
|
if isValidArgument(s):
|
|
|
|
return s
|
|
|
|
else:
|
|
|
|
return repr(s)
|
|
|
|
|
|
|
|
def replyTo(msg):
|
|
|
|
"""Returns the appropriate target to send responses to msg."""
|
2019-08-24 14:14:33 +02:00
|
|
|
if msg.channel:
|
|
|
|
# if message was sent to +#channel, we want to reply to +#channel;
|
|
|
|
# or unvoiced channel users will see the bot reply without the
|
|
|
|
# origin query
|
2005-01-19 14:14:38 +01:00
|
|
|
return msg.args[0]
|
|
|
|
else:
|
|
|
|
return msg.nick
|
|
|
|
|
|
|
|
def dccIP(ip):
|
2009-08-16 23:17:05 +02:00
|
|
|
"""Converts an IP string to the DCC integer form."""
|
2011-06-07 03:44:15 +02:00
|
|
|
assert utils.net.isIPV4(ip), \
|
2005-01-19 14:14:38 +01:00
|
|
|
'argument must be a string ip in xxx.yyy.zzz.www format.'
|
|
|
|
i = 0
|
|
|
|
x = 256**3
|
|
|
|
for quad in ip.split('.'):
|
|
|
|
i += int(quad)*x
|
2012-08-04 14:18:53 +02:00
|
|
|
x //= 256
|
2005-01-19 14:14:38 +01:00
|
|
|
return i
|
|
|
|
|
|
|
|
def unDccIP(i):
|
|
|
|
"""Takes an integer DCC IP and return a normal string IP."""
|
2015-08-08 23:01:02 +02:00
|
|
|
assert isinstance(i, minisix.integer_types), '%r is not an number.' % i
|
2005-01-19 14:14:38 +01:00
|
|
|
L = []
|
|
|
|
while len(L) < 4:
|
|
|
|
L.append(i % 256)
|
2012-08-04 14:18:53 +02:00
|
|
|
i //= 256
|
2005-01-19 14:14:38 +01:00
|
|
|
L.reverse()
|
2014-01-21 10:50:55 +01:00
|
|
|
return '.'.join(map(str, L))
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
class IrcString(str):
|
|
|
|
"""This class does case-insensitive comparison and hashing of nicks."""
|
2020-05-22 08:38:30 +02:00
|
|
|
__slots__ = ('lowered',)
|
2005-01-19 14:14:38 +01:00
|
|
|
def __new__(cls, s=''):
|
|
|
|
x = super(IrcString, cls).__new__(cls, s)
|
2013-01-06 20:24:02 +01:00
|
|
|
x.lowered = str(toLower(x))
|
2005-01-19 14:14:38 +01:00
|
|
|
return x
|
|
|
|
|
|
|
|
def __eq__(self, s):
|
|
|
|
try:
|
|
|
|
return toLower(s) == self.lowered
|
|
|
|
except:
|
|
|
|
return False
|
|
|
|
|
|
|
|
def __ne__(self, s):
|
|
|
|
return not (self == s)
|
|
|
|
|
|
|
|
def __hash__(self):
|
|
|
|
return hash(self.lowered)
|
|
|
|
|
|
|
|
|
|
|
|
class IrcDict(utils.InsensitivePreservingDict):
|
|
|
|
"""Subclass of dict to make key comparison IRC-case insensitive."""
|
2020-05-22 08:38:30 +02:00
|
|
|
__slots__ = ()
|
2005-01-19 14:14:38 +01:00
|
|
|
def key(self, s):
|
|
|
|
if s is not None:
|
|
|
|
s = toLower(s)
|
|
|
|
return s
|
|
|
|
|
2009-10-16 03:21:08 +02:00
|
|
|
class CallableValueIrcDict(IrcDict):
|
2020-05-22 08:38:30 +02:00
|
|
|
__slots__ = ()
|
2009-10-16 03:21:08 +02:00
|
|
|
def __getitem__(self, k):
|
|
|
|
v = super(IrcDict, self).__getitem__(k)
|
|
|
|
if callable(v):
|
|
|
|
v = v()
|
|
|
|
return v
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
class IrcSet(utils.NormalizingSet):
|
|
|
|
"""A sets.Set using IrcStrings instead of regular strings."""
|
2020-05-22 08:38:30 +02:00
|
|
|
__slots__ = ()
|
2005-01-19 14:14:38 +01:00
|
|
|
def normalize(self, s):
|
|
|
|
return IrcString(s)
|
|
|
|
|
|
|
|
def __reduce__(self):
|
|
|
|
return (self.__class__, (list(self),))
|
|
|
|
|
|
|
|
|
|
|
|
class FloodQueue(object):
|
|
|
|
timeout = 0
|
|
|
|
def __init__(self, timeout=None, queues=None):
|
|
|
|
if timeout is not None:
|
|
|
|
self.timeout = timeout
|
|
|
|
if queues is None:
|
|
|
|
queues = IrcDict()
|
|
|
|
self.queues = queues
|
|
|
|
|
|
|
|
def __repr__(self):
|
|
|
|
return 'FloodQueue(timeout=%r, queues=%s)' % (self.timeout,
|
|
|
|
repr(self.queues))
|
|
|
|
|
|
|
|
def key(self, msg):
|
2009-12-28 19:26:33 +01:00
|
|
|
# This really ought to be configurable without subclassing, but for
|
|
|
|
# now, it works.
|
|
|
|
# used to be msg.user + '@' + msg.host but that was too easily abused.
|
|
|
|
return msg.host
|
2005-01-19 14:14:38 +01:00
|
|
|
|
|
|
|
def getTimeout(self):
|
|
|
|
if callable(self.timeout):
|
|
|
|
return self.timeout()
|
|
|
|
else:
|
|
|
|
return self.timeout
|
|
|
|
|
|
|
|
def _getQueue(self, msg, insert=True):
|
|
|
|
key = self.key(msg)
|
|
|
|
try:
|
|
|
|
return self.queues[key]
|
|
|
|
except KeyError:
|
|
|
|
if insert:
|
|
|
|
# python--
|
|
|
|
# instancemethod.__repr__ calls the instance.__repr__, which
|
|
|
|
# means that our __repr__ calls self.queues.__repr__, which
|
|
|
|
# calls structures.TimeoutQueue.__repr__, which calls
|
|
|
|
# getTimeout.__repr__, which calls our __repr__, which calls...
|
|
|
|
getTimeout = lambda : self.getTimeout()
|
2005-03-12 19:01:47 +01:00
|
|
|
q = utils.structures.TimeoutQueue(getTimeout)
|
2005-01-19 14:14:38 +01:00
|
|
|
self.queues[key] = q
|
|
|
|
return q
|
|
|
|
else:
|
|
|
|
return None
|
|
|
|
|
|
|
|
def enqueue(self, msg, what=None):
|
|
|
|
if what is None:
|
|
|
|
what = msg
|
|
|
|
q = self._getQueue(msg)
|
|
|
|
q.enqueue(what)
|
|
|
|
|
|
|
|
def len(self, msg):
|
|
|
|
q = self._getQueue(msg, insert=False)
|
|
|
|
if q is not None:
|
|
|
|
return len(q)
|
|
|
|
else:
|
|
|
|
return 0
|
|
|
|
|
|
|
|
def has(self, msg, what=None):
|
|
|
|
q = self._getQueue(msg, insert=False)
|
|
|
|
if q is not None:
|
|
|
|
if what is None:
|
|
|
|
what = msg
|
|
|
|
for elt in q:
|
|
|
|
if elt == what:
|
|
|
|
return True
|
|
|
|
return False
|
|
|
|
|
|
|
|
|
|
|
|
mircColors = IrcDict({
|
|
|
|
'white': '0',
|
|
|
|
'black': '1',
|
|
|
|
'blue': '2',
|
|
|
|
'green': '3',
|
|
|
|
'red': '4',
|
|
|
|
'brown': '5',
|
|
|
|
'purple': '6',
|
|
|
|
'orange': '7',
|
|
|
|
'yellow': '8',
|
|
|
|
'light green': '9',
|
|
|
|
'teal': '10',
|
|
|
|
'light blue': '11',
|
|
|
|
'dark blue': '12',
|
|
|
|
'pink': '13',
|
|
|
|
'dark grey': '14',
|
|
|
|
'light grey': '15',
|
|
|
|
'dark gray': '14',
|
|
|
|
'light gray': '15',
|
|
|
|
})
|
|
|
|
|
|
|
|
# We'll map integers to their string form so mircColor is simpler.
|
2015-08-08 22:20:14 +02:00
|
|
|
for (k, v) in list(mircColors.items()):
|
2005-01-19 14:14:38 +01:00
|
|
|
if k is not None: # Ignore empty string for None.
|
|
|
|
sv = str(v)
|
|
|
|
mircColors[sv] = sv
|
2014-12-21 20:19:31 +01:00
|
|
|
mircColors[sv.zfill(2)] = sv
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2021-07-21 09:45:28 +02:00
|
|
|
|
|
|
|
def standardSubstitutionVariables(irc, msg, env=None):
|
|
|
|
"""Returns the dict-like object used to make standard substitutions
|
|
|
|
on text sent to IRC. Usually you'll want to use
|
|
|
|
:py:func:`standardSubstitute` instead, which runs the actual substitution
|
|
|
|
itself."""
|
2005-01-19 14:14:38 +01:00
|
|
|
def randInt():
|
|
|
|
return str(random.randint(-1000, 1000))
|
|
|
|
def randDate():
|
|
|
|
t = pow(2,30)*random.random()+time.time()/4.0
|
|
|
|
return time.ctime(t)
|
2010-03-08 22:39:45 +01:00
|
|
|
ctime = time.strftime("%a %b %d %H:%M:%S %Y")
|
2005-01-19 14:14:38 +01:00
|
|
|
localtime = time.localtime()
|
2010-03-08 23:24:00 +01:00
|
|
|
gmtime = time.strftime("%a %b %d %H:%M:%S %Y", time.gmtime())
|
2009-10-16 03:21:08 +02:00
|
|
|
vars = CallableValueIrcDict({
|
2005-01-19 14:14:38 +01:00
|
|
|
'now': ctime, 'ctime': ctime,
|
2010-03-08 23:24:00 +01:00
|
|
|
'utc': gmtime, 'gmt': gmtime,
|
2005-01-19 14:14:38 +01:00
|
|
|
'randdate': randDate, 'randomdate': randDate,
|
|
|
|
'rand': randInt, 'randint': randInt, 'randomint': randInt,
|
|
|
|
'today': time.strftime('%d %b %Y', localtime),
|
|
|
|
'year': localtime[0],
|
|
|
|
'month': localtime[1],
|
|
|
|
'monthname': time.strftime('%b', localtime),
|
|
|
|
'date': localtime[2],
|
|
|
|
'day': time.strftime('%A', localtime),
|
|
|
|
'h': localtime[3], 'hr': localtime[3], 'hour': localtime[3],
|
|
|
|
'm': localtime[4], 'min': localtime[4], 'minute': localtime[4],
|
|
|
|
's': localtime[5], 'sec': localtime[5], 'second': localtime[5],
|
2010-03-08 22:39:45 +01:00
|
|
|
'tz': time.strftime('%Z', localtime),
|
2018-03-02 01:20:52 +01:00
|
|
|
'version': version,
|
2005-01-19 14:14:38 +01:00
|
|
|
})
|
2015-02-07 08:15:00 +01:00
|
|
|
if irc:
|
|
|
|
vars.update({
|
|
|
|
'botnick': irc.nick,
|
2016-03-15 03:33:47 +01:00
|
|
|
'network': irc.network,
|
2015-02-07 08:15:00 +01:00
|
|
|
})
|
|
|
|
|
|
|
|
if msg:
|
|
|
|
vars.update({
|
|
|
|
'who': msg.nick,
|
|
|
|
'nick': msg.nick,
|
|
|
|
'user': msg.user,
|
|
|
|
'host': msg.host,
|
|
|
|
})
|
|
|
|
if msg.reply_env:
|
|
|
|
vars.update(msg.reply_env)
|
|
|
|
|
|
|
|
if irc and msg:
|
2019-08-24 14:14:33 +02:00
|
|
|
channel = msg.channel or 'somewhere'
|
2015-02-07 08:15:00 +01:00
|
|
|
def randNick():
|
|
|
|
if channel != 'somewhere':
|
|
|
|
L = list(irc.state.channels[channel].users)
|
|
|
|
if len(L) > 1:
|
|
|
|
n = msg.nick
|
|
|
|
while n == msg.nick:
|
|
|
|
n = utils.iter.choice(L)
|
|
|
|
return n
|
|
|
|
else:
|
|
|
|
return msg.nick
|
|
|
|
else:
|
|
|
|
return 'someone'
|
|
|
|
vars.update({
|
|
|
|
'randnick': randNick, 'randomnick': randNick,
|
|
|
|
'channel': channel,
|
|
|
|
})
|
|
|
|
else:
|
|
|
|
vars.update({
|
|
|
|
'channel': 'somewhere',
|
|
|
|
'randnick': 'someone', 'randomnick': 'someone',
|
|
|
|
})
|
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
if env is not None:
|
|
|
|
vars.update(env)
|
2021-07-21 09:45:28 +02:00
|
|
|
|
|
|
|
return vars
|
|
|
|
|
|
|
|
|
|
|
|
def standardSubstitute(irc, msg, text, env=None):
|
|
|
|
"""Do the standard set of substitutions on text, and return it"""
|
|
|
|
vars = standardSubstitutionVariables(irc, msg, env)
|
2009-10-16 03:21:08 +02:00
|
|
|
t = string.Template(text)
|
|
|
|
t.idpattern = '[a-zA-Z][a-zA-Z0-9]*'
|
|
|
|
return t.safe_substitute(vars)
|
2005-01-19 14:14:38 +01:00
|
|
|
|
2015-12-10 20:08:53 +01:00
|
|
|
|
|
|
|
AUTHENTICATE_CHUNK_SIZE = 400
|
|
|
|
def authenticate_generator(authstring, base64ify=True):
|
|
|
|
if base64ify:
|
|
|
|
authstring = base64.b64encode(authstring)
|
|
|
|
if minisix.PY3:
|
|
|
|
authstring = authstring.decode()
|
|
|
|
# +1 so we get an empty string at the end if len(authstring) is a multiple
|
|
|
|
# of AUTHENTICATE_CHUNK_SIZE (including 0)
|
|
|
|
for n in range(0, len(authstring)+1, AUTHENTICATE_CHUNK_SIZE):
|
|
|
|
chunk = authstring[n:n+AUTHENTICATE_CHUNK_SIZE] or '+'
|
|
|
|
yield chunk
|
|
|
|
|
|
|
|
class AuthenticateDecoder(object):
|
|
|
|
def __init__(self):
|
|
|
|
self.chunks = []
|
|
|
|
self.ready = False
|
|
|
|
def feed(self, msg):
|
|
|
|
assert msg.command == 'AUTHENTICATE'
|
|
|
|
chunk = msg.args[0]
|
|
|
|
if chunk == '+' or len(chunk) != AUTHENTICATE_CHUNK_SIZE:
|
|
|
|
self.ready = True
|
|
|
|
if chunk != '+':
|
|
|
|
if minisix.PY3:
|
|
|
|
chunk = chunk.encode()
|
|
|
|
self.chunks.append(chunk)
|
|
|
|
def get(self):
|
|
|
|
assert self.ready
|
|
|
|
return base64.b64decode(b''.join(self.chunks))
|
|
|
|
|
|
|
|
|
2021-03-13 17:30:25 +01:00
|
|
|
def parseCapabilityKeyValue(s):
|
|
|
|
"""Parses a key-value string, in the format used by 'sts' and
|
|
|
|
'draft/multiline."""
|
|
|
|
d = {}
|
|
|
|
for kv in s.split(','):
|
2019-12-07 23:33:04 +01:00
|
|
|
if '=' in kv:
|
|
|
|
(k, v) = kv.split('=', 1)
|
2021-03-13 17:30:25 +01:00
|
|
|
d[k] = v
|
2019-12-07 23:33:04 +01:00
|
|
|
else:
|
2021-03-13 17:30:25 +01:00
|
|
|
d[kv] = None
|
|
|
|
|
|
|
|
return d
|
|
|
|
|
|
|
|
|
2021-09-03 20:15:18 +02:00
|
|
|
def parseStsPolicy(logger, policy, secure_connection):
|
2021-03-13 17:30:25 +01:00
|
|
|
parsed_policy = parseCapabilityKeyValue(policy)
|
2019-12-07 23:33:04 +01:00
|
|
|
|
|
|
|
for key in ('port', 'duration'):
|
2021-09-03 20:15:18 +02:00
|
|
|
if key == 'duration' and not secure_connection:
|
|
|
|
if key in parsed_policy:
|
|
|
|
del parsed_policy[key]
|
|
|
|
continue
|
|
|
|
elif key == 'port' and secure_connection:
|
2019-12-08 15:54:48 +01:00
|
|
|
if key in parsed_policy:
|
|
|
|
del parsed_policy[key]
|
|
|
|
continue
|
2019-12-07 23:33:04 +01:00
|
|
|
if parsed_policy.get(key) is None:
|
|
|
|
logger.error('Missing or empty "%s" key in STS policy.'
|
|
|
|
'Aborting connection.', key)
|
|
|
|
return None
|
|
|
|
try:
|
|
|
|
parsed_policy[key] = int(parsed_policy[key])
|
|
|
|
except ValueError:
|
|
|
|
logger.error('Expected integer as value for key "%s" in STS '
|
|
|
|
'policy, got %r instead. Aborting connection.',
|
|
|
|
key, parsed_policy[key])
|
|
|
|
return None
|
|
|
|
|
|
|
|
return parsed_policy
|
|
|
|
|
|
|
|
|
2020-05-07 20:56:59 +02:00
|
|
|
def makeLabel():
|
|
|
|
"""Returns a unique label for outgoing message tags.
|
|
|
|
|
|
|
|
Unicity is not guaranteed across restarts.
|
|
|
|
Returns should be handled as opaque strings, using only equality.
|
|
|
|
|
|
|
|
This is used for <https://ircv3.net/specs/extensions/labeled-response>
|
|
|
|
"""
|
|
|
|
return str(uuid.uuid4())
|
|
|
|
|
|
|
|
|
2015-05-16 00:20:31 +02:00
|
|
|
numerics = {
|
|
|
|
# <= 2.10
|
|
|
|
# Reply
|
|
|
|
'001': 'RPL_WELCOME',
|
|
|
|
'002': 'RPL_YOURHOST',
|
|
|
|
'003': 'RPL_CREATED',
|
|
|
|
'004': 'RPL_MYINFO',
|
|
|
|
'005': 'RPL_BOUNCE',
|
|
|
|
'302': 'RPL_USERHOST',
|
|
|
|
'303': 'RPL_ISON',
|
|
|
|
'301': 'RPL_AWAY',
|
|
|
|
'305': 'RPL_UNAWAY',
|
|
|
|
'306': 'RPL_NOWAWAY',
|
|
|
|
'311': 'RPL_WHOISUSER',
|
|
|
|
'312': 'RPL_WHOISSERVER',
|
|
|
|
'313': 'RPL_WHOISOPERATOR',
|
|
|
|
'317': 'RPL_WHOISIDLE',
|
|
|
|
'318': 'RPL_ENDOFWHOIS',
|
|
|
|
'319': 'RPL_WHOISCHANNELS',
|
|
|
|
'314': 'RPL_WHOWASUSER',
|
|
|
|
'369': 'RPL_ENDOFWHOWAS',
|
|
|
|
'321': 'RPL_LISTSTART',
|
|
|
|
'322': 'RPL_LIST',
|
|
|
|
'323': 'RPL_LISTEND',
|
|
|
|
'325': 'RPL_UNIQOPIS',
|
|
|
|
'324': 'RPL_CHANNELMODEIS',
|
|
|
|
'331': 'RPL_NOTOPIC',
|
|
|
|
'332': 'RPL_TOPIC',
|
|
|
|
'341': 'RPL_INVITING',
|
|
|
|
'342': 'RPL_SUMMONING',
|
|
|
|
'346': 'RPL_INVITELIST',
|
|
|
|
'347': 'RPL_ENDOFINVITELIST',
|
|
|
|
'348': 'RPL_EXCEPTLIST',
|
|
|
|
'349': 'RPL_ENDOFEXCEPTLIST',
|
|
|
|
'351': 'RPL_VERSION',
|
|
|
|
'352': 'RPL_WHOREPLY',
|
|
|
|
'352': 'RPL_WHOREPLY',
|
|
|
|
'353': 'RPL_NAMREPLY',
|
|
|
|
'366': 'RPL_ENDOFNAMES',
|
|
|
|
'364': 'RPL_LINKS',
|
|
|
|
'365': 'RPL_ENDOFLINKS',
|
|
|
|
'367': 'RPL_BANLIST',
|
|
|
|
'368': 'RPL_ENDOFBANLIST',
|
|
|
|
'371': 'RPL_INFO',
|
|
|
|
'374': 'RPL_ENDOFINFO',
|
|
|
|
'372': 'RPL_MOTD',
|
|
|
|
'376': 'RPL_ENDOFMOTD',
|
|
|
|
'381': 'RPL_YOUREOPER',
|
|
|
|
'382': 'RPL_REHASHING',
|
|
|
|
'383': 'RPL_YOURESERVICE',
|
|
|
|
'391': 'RPL_TIME',
|
|
|
|
'392': 'RPL_USERSSTART',
|
|
|
|
'393': 'RPL_USERS',
|
|
|
|
'394': 'RPL_ENDOFUSERS',
|
|
|
|
'395': 'RPL_NOUSERS',
|
|
|
|
'200': 'RPL_TRACELINK',
|
|
|
|
'201': 'RPL_TRACECONNECTING',
|
|
|
|
'202': 'RPL_TRACEHANDSHAKE',
|
|
|
|
'203': 'RPL_TRACEUNKNOWN',
|
|
|
|
'204': 'RPL_TRACEOPERATOR',
|
|
|
|
'205': 'RPL_TRACEUSER',
|
|
|
|
'206': 'RPL_TRACESERVER',
|
|
|
|
'207': 'RPL_TRACESERVICE',
|
|
|
|
'208': 'RPL_TRACENEWTYPE',
|
|
|
|
'209': 'RPL_TRACECLASS',
|
|
|
|
'210': 'RPL_TRACERECONNECT',
|
|
|
|
'261': 'RPL_TRACELOG',
|
|
|
|
'262': 'RPL_TRACEEND',
|
|
|
|
'211': 'RPL_STATSLINKINFO',
|
|
|
|
'212': 'RPL_STATSCOMMANDS',
|
|
|
|
'219': 'RPL_ENDOFSTATS',
|
|
|
|
'242': 'RPL_STATSUPTIME',
|
|
|
|
'243': 'RPL_STATSOLINE',
|
|
|
|
'221': 'RPL_UMODEIS',
|
|
|
|
'234': 'RPL_SERVLIST',
|
|
|
|
'235': 'RPL_SERVLISTEND',
|
|
|
|
'251': 'RPL_LUSERCLIENT',
|
|
|
|
'252': 'RPL_LUSEROP',
|
|
|
|
'253': 'RPL_LUSERUNKNOWN',
|
|
|
|
'254': 'RPL_LUSERCHANNELS',
|
|
|
|
'255': 'RPL_LUSERME',
|
|
|
|
'256': 'RPL_ADMINME',
|
|
|
|
'257': 'RPL_ADMINLOC1',
|
|
|
|
'258': 'RPL_ADMINLOC2',
|
|
|
|
'259': 'RPL_ADMINEMAIL',
|
|
|
|
'263': 'RPL_TRYAGAIN',
|
|
|
|
|
|
|
|
# Error
|
|
|
|
'401': 'ERR_NOSUCHNICK',
|
|
|
|
'402': 'ERR_NOSUCHSERVER',
|
|
|
|
'403': 'ERR_NOSUCHCHANNEL',
|
|
|
|
'404': 'ERR_CANNOTSENDTOCHAN',
|
|
|
|
'405': 'ERR_TOOMANYCHANNELS',
|
|
|
|
'406': 'ERR_WASNOSUCHNICK',
|
|
|
|
'407': 'ERR_TOOMANYTARGETS',
|
|
|
|
'408': 'ERR_NOSUCHSERVICE',
|
|
|
|
'409': 'ERR_NOORIGIN',
|
|
|
|
'411': 'ERR_NORECIPIENT',
|
|
|
|
'412': 'ERR_NOTEXTTOSEND',
|
|
|
|
'413': 'ERR_NOTOPLEVEL',
|
|
|
|
'414': 'ERR_WILDTOPLEVEL',
|
|
|
|
'415': 'ERR_BADMASK',
|
|
|
|
'421': 'ERR_UNKNOWNCOMMAND',
|
|
|
|
'422': 'ERR_NOMOTD',
|
|
|
|
'423': 'ERR_NOADMININFO',
|
|
|
|
'424': 'ERR_FILEERROR',
|
|
|
|
'431': 'ERR_NONICKNAMEGIVEN',
|
|
|
|
'432': 'ERR_ERRONEUSNICKNAME',
|
|
|
|
'433': 'ERR_NICKNAMEINUSE',
|
|
|
|
'436': 'ERR_NICKCOLLISION',
|
|
|
|
'437': 'ERR_UNAVAILRESOURCE',
|
|
|
|
'441': 'ERR_USERNOTINCHANNEL',
|
|
|
|
'442': 'ERR_NOTONCHANNEL',
|
|
|
|
'443': 'ERR_USERONCHANNEL',
|
|
|
|
'444': 'ERR_NOLOGIN',
|
|
|
|
'445': 'ERR_SUMMONDISABLED',
|
|
|
|
'446': 'ERR_USERSDISABLED',
|
|
|
|
'451': 'ERR_NOTREGISTERED',
|
|
|
|
'461': 'ERR_NEEDMOREPARAMS',
|
|
|
|
'462': 'ERR_ALREADYREGISTRED',
|
|
|
|
'463': 'ERR_NOPERMFORHOST',
|
|
|
|
'464': 'ERR_PASSWDMISMATCH',
|
|
|
|
'465': 'ERR_YOUREBANNEDCREEP',
|
|
|
|
'466': 'ERR_YOUWILLBEBANNED',
|
|
|
|
'467': 'ERR_KEYSET',
|
|
|
|
'471': 'ERR_CHANNELISFULL',
|
|
|
|
'472': 'ERR_UNKNOWNMODE',
|
|
|
|
'473': 'ERR_INVITEONLYCHAN',
|
|
|
|
'474': 'ERR_BANNEDFROMCHAN',
|
|
|
|
'475': 'ERR_BADCHANNELKEY',
|
|
|
|
'476': 'ERR_BADCHANMASK',
|
|
|
|
'477': 'ERR_NOCHANMODES',
|
|
|
|
'478': 'ERR_BANLISTFULL',
|
|
|
|
'481': 'ERR_NOPRIVILEGES',
|
|
|
|
'482': 'ERR_CHANOPRIVSNEEDED',
|
|
|
|
'483': 'ERR_CANTKILLSERVER',
|
|
|
|
'484': 'ERR_RESTRICTED',
|
|
|
|
'485': 'ERR_UNIQOPPRIVSNEEDED',
|
|
|
|
'491': 'ERR_NOOPERHOST',
|
|
|
|
'501': 'ERR_UMODEUNKNOWNFLAG',
|
|
|
|
'502': 'ERR_USERSDONTMATCH',
|
|
|
|
|
|
|
|
# Reserved
|
|
|
|
'231': 'RPL_SERVICEINFO',
|
|
|
|
'232': 'RPL_ENDOFSERVICES',
|
|
|
|
'233': 'RPL_SERVICE',
|
|
|
|
'300': 'RPL_NONE',
|
|
|
|
'316': 'RPL_WHOISCHANOP',
|
|
|
|
'361': 'RPL_KILLDONE',
|
|
|
|
'362': 'RPL_CLOSING',
|
|
|
|
'363': 'RPL_CLOSEEND',
|
|
|
|
'373': 'RPL_INFOSTART',
|
|
|
|
'384': 'RPL_MYPORTIS',
|
|
|
|
'213': 'RPL_STATSCLINE',
|
|
|
|
'214': 'RPL_STATSNLINE',
|
|
|
|
'215': 'RPL_STATSILINE',
|
|
|
|
'216': 'RPL_STATSKLINE',
|
|
|
|
'217': 'RPL_STATSQLINE',
|
|
|
|
'218': 'RPL_STATSYLINE',
|
|
|
|
'240': 'RPL_STATSVLINE',
|
|
|
|
'241': 'RPL_STATSLLINE',
|
|
|
|
'244': 'RPL_STATSHLINE',
|
|
|
|
'244': 'RPL_STATSSLINE',
|
|
|
|
'246': 'RPL_STATSPING',
|
|
|
|
'247': 'RPL_STATSBLINE',
|
|
|
|
'250': 'RPL_STATSDLINE',
|
|
|
|
'492': 'ERR_NOSERVICEHOST',
|
|
|
|
|
|
|
|
# IRC v3.1
|
|
|
|
# SASL
|
|
|
|
'900': 'RPL_LOGGEDIN',
|
|
|
|
'901': 'RPL_LOGGEDOUT',
|
|
|
|
'902': 'ERR_NICKLOCKED',
|
|
|
|
'903': 'RPL_SASLSUCCESS',
|
|
|
|
'904': 'ERR_SASLFAIL',
|
|
|
|
'905': 'ERR_SASLTOOLONG',
|
|
|
|
'906': 'ERR_SASLABORTED',
|
|
|
|
'907': 'ERR_SASLALREADY',
|
|
|
|
'908': 'RPL_SASLMECHS',
|
|
|
|
|
|
|
|
# IRC v3.2
|
|
|
|
# Metadata
|
|
|
|
'760': 'RPL_WHOISKEYVALUE',
|
|
|
|
'761': 'RPL_KEYVALUE',
|
|
|
|
'762': 'RPL_METADATAEND',
|
|
|
|
'764': 'ERR_METADATALIMIT',
|
|
|
|
'765': 'ERR_TARGETINVALID',
|
|
|
|
'766': 'ERR_NOMATCHINGKEY',
|
|
|
|
'767': 'ERR_KEYINVALID',
|
|
|
|
'768': 'ERR_KEYNOTSET',
|
|
|
|
'769': 'ERR_KEYNOPERMISSION',
|
|
|
|
|
|
|
|
# Monitor
|
|
|
|
'730': 'RPL_MONONLINE',
|
|
|
|
'731': 'RPL_MONOFFLINE',
|
|
|
|
'732': 'RPL_MONLIST',
|
|
|
|
'733': 'RPL_ENDOFMONLIST',
|
|
|
|
'734': 'ERR_MONLISTFULL',
|
|
|
|
}
|
|
|
|
|
2005-01-19 14:14:38 +01:00
|
|
|
if __name__ == '__main__':
|
2015-03-03 09:02:29 +01:00
|
|
|
import doctest
|
2005-01-19 14:14:38 +01:00
|
|
|
doctest.testmod(sys.modules['__main__'])
|
2006-02-11 16:52:51 +01:00
|
|
|
# vim:set shiftwidth=4 softtabstop=4 expandtab textwidth=79:
|