Limnoria/src/irclib.py

595 lines
22 KiB
Python
Raw Normal View History

2003-03-12 07:26:59 +01:00
#!/usr/bin/env python
###
# Copyright (c) 2002, Jeremiah Fincher
# 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.
###
import fix
from structures import queue, smallqueue, RingBuffer
2003-03-12 07:26:59 +01:00
import copy
2003-07-31 08:20:58 +02:00
import sets
2003-03-12 07:26:59 +01:00
import time
import conf
import debug
import utils
2003-03-12 07:26:59 +01:00
import world
import ircdb
import ircmsgs
import ircutils
###
# The base class for a callback to be registered with an Irc object. Shows
# the required interface for callbacks -- name(),
# inFilter(irc, msg), outFilter(irc, msg), and __call__(irc, msg) [used so
# functions can be used as callbacks conceivable, and so if refactoring ever
# changes the nature of the callbacks from classes to functions, syntactical
# changes elsewhere won't be required.
###
class IrcCommandDispatcher(object):
"""Base class for classes that must dispatch on a command."""
def dispatchCommand(self, command):
2003-10-04 14:17:31 +02:00
"""Given a string 'command', dispatches to doCommand."""
return getattr(self, 'do' + command.capitalize(), None)
class IrcCallback(IrcCommandDispatcher):
2003-03-12 07:26:59 +01:00
"""Base class for standard callbacks.
Callbacks derived from this class should have methods of the form
"doCommand" -- doPrivmsg, doNick, do433, etc. These will be called
on matching messages.
"""
2003-10-04 14:17:31 +02:00
# priority determines the order in which callbacks are called. Lower
# numbers mean *higher* priority (like nice values in *nix). Higher
# priority means the callback is called *earlier* on the inFilter chain,
# *earlier* on the __call__ chain, and *later* on the outFilter chain.
2003-09-05 21:28:04 +02:00
priority = 99
2003-03-12 07:26:59 +01:00
def name(self):
2003-10-04 14:17:31 +02:00
"""Returns the name of the callback."""
2003-03-12 07:26:59 +01:00
return self.__class__.__name__
def inFilter(self, irc, msg):
2003-10-04 14:17:31 +02:00
"""Used for filtering/modifying messages as they're entering.
ircmsgs.IrcMsg objects are immutable, so this method is expected to
return another ircmsgs.IrcMsg object. Obviously the same IrcMsg
can be returned.
"""
2003-03-12 07:26:59 +01:00
return msg
def outFilter(self, irc, msg):
2003-10-04 14:17:31 +02:00
"""Used for filtering/modifying messages as they're leaving.
As with inFilter, an IrcMsg is returned.
"""
2003-03-12 07:26:59 +01:00
return msg
def __call__(self, irc, msg):
2003-10-04 14:17:31 +02:00
"""Used for handling each message."""
method = self.dispatchCommand(msg.command)
if method is not None:
2003-03-28 03:33:40 +01:00
try:
method(irc, msg)
except Exception, e:
2003-03-28 03:33:40 +01:00
debug.recoverableException()
s = 'Exception (%s) raised by %s.%s' % \
(e, self.__class__.__name__, method.im_func.func_name)
2003-04-03 12:06:11 +02:00
debug.msg(s)
2003-03-12 07:26:59 +01:00
def reset(self):
2003-10-04 14:17:31 +02:00
"""Resets the callback. Called when reconnected to the server."""
2003-03-12 07:26:59 +01:00
pass
def die(self):
2003-10-04 14:17:31 +02:00
"""Makes the callback die. Called when the parent Irc object dies."""
2003-03-12 07:26:59 +01:00
pass
###
# Basic queue for IRC messages. It doesn't presently (but should at some
# later point) reorder messages based on priority or penalty calculations.
###
_high = sets.ImmutableSet(['MODE', 'KICK', 'PONG', 'NICK', 'PASS'])
_low = sets.ImmutableSet(['PRIVMSG', 'PING', 'WHO', 'NOTICE'])
2003-03-12 07:26:59 +01:00
class IrcMsgQueue(object):
"""Class for a queue of IrcMsgs. Eventually, it should be smart.
Probably smarter than it is now, though it's gotten quite a bit smarter
than it originally was. A method to "score" methods, and a heapq to
maintain a priority queue of the messages would be the ideal way to do
intelligent queueing.
2003-10-04 14:17:31 +02:00
As it stands, however, we simple keep track of 'high priority' messages,
'low priority' messages, and normal messages, and just make sure to return
the 'high priority' ones before the normal ones before the 'low priority'
ones.
2003-03-12 07:26:59 +01:00
"""
__slots__ = ('msgs', 'highpriority', 'normal', 'lowpriority')
2003-03-12 07:26:59 +01:00
def __init__(self):
self.reset()
def reset(self):
2003-10-04 14:17:31 +02:00
"""Clears the queue."""
self.highpriority = smallqueue()
self.normal = smallqueue()
self.lowpriority = smallqueue()
2003-07-31 08:20:58 +02:00
self.msgs = sets.Set()
2003-03-12 07:26:59 +01:00
def enqueue(self, msg):
2003-10-04 14:17:31 +02:00
"""Enqueues a given message."""
if msg in self.msgs:
if not world.startup:
2003-04-03 12:06:11 +02:00
debug.msg('Not adding msg %s to queue' % msg, 'normal')
2003-03-12 07:26:59 +01:00
else:
self.msgs.add(msg)
if msg.command in _high:
self.highpriority.enqueue(msg)
elif msg.command in _low:
2003-04-02 11:07:52 +02:00
self.lowpriority.enqueue(msg)
else:
self.normal.enqueue(msg)
2003-03-12 07:26:59 +01:00
def dequeue(self):
2003-10-04 14:17:31 +02:00
"""Dequeues a given message."""
if self.highpriority:
msg = self.highpriority.dequeue()
elif self.normal:
msg = self.normal.dequeue()
2003-04-02 11:07:52 +02:00
elif self.lowpriority:
msg = self.lowpriority.dequeue()
2003-03-12 07:26:59 +01:00
else:
2003-04-02 11:07:52 +02:00
msg = None
if msg:
self.msgs.remove(msg)
return msg
2003-03-12 07:26:59 +01:00
def __nonzero__(self):
2003-07-31 08:20:58 +02:00
return bool(self.highpriority or self.normal or self.lowpriority)
2003-03-12 07:26:59 +01:00
###
# Maintains the state of IRC connection -- the most recent messages, the
# status of various modes (especially ops/halfops/voices) in channels, etc.
###
class ChannelState(object):
__slots__ = ('users', 'ops', 'halfops', 'voices', 'topic')
2003-03-12 07:26:59 +01:00
def __init__(self):
self.topic = ''
2003-08-12 21:12:12 +02:00
self.users = ircutils.IrcSet() # sets.Set()
self.ops = ircutils.IrcSet() # sets.Set()
self.halfops = ircutils.IrcSet() # sets.Set()
self.voices = ircutils.IrcSet() # sets.Set()
2003-03-12 07:26:59 +01:00
def addUser(self, user):
2003-10-04 14:17:31 +02:00
"Adds a given user to the ChannelState. Power prefixes are handled."
2003-06-18 09:19:27 +02:00
nick = user.lstrip('@%+')
2003-06-02 09:21:08 +02:00
while user and user[0] in '@%+':
(marker, user) = (user[0], user[1:])
if marker == '@':
self.ops.add(nick)
elif marker == '%':
self.halfops.add(nick)
elif marker == '+':
self.voices.add(nick)
self.users.add(nick)
def replaceUser(self, oldNick, newNick):
2003-10-04 14:17:31 +02:00
"""Changes the user oldNick to newNick; used for NICK changes."""
# Note that this doesn't have to have the sigil (@%+) that users
# have to have for addUser; it just changes the name of the user
# without changing any of his categories.
for s in (self.users, self.ops, self.halfops, self.voices):
if oldNick in s:
s.discard(oldNick)
s.add(newNick)
2003-03-12 07:26:59 +01:00
def removeUser(self, user):
2003-10-04 14:17:31 +02:00
"""Removes a given user from the channel."""
self.users.discard(user)
self.ops.discard(user)
self.halfops.discard(user)
self.voices.discard(user)
2003-03-12 07:26:59 +01:00
def __getstate__(self):
return [getattr(self, name) for name in self.__slots__]
def __setstate__(self, t):
for (name, value) in zip(self.__slots__, t):
setattr(self, name, value)
def __eq__(self, other):
ret = True
for name in self.__slots__:
ret = ret and getattr(self, name) == getattr(other, name)
return ret
def __ne__(self, other):
# This shouldn't even be necessary, grr...
return not self == other
class IrcState(IrcCommandDispatcher):
2003-03-12 07:26:59 +01:00
"""Maintains state of the Irc connection. Should also become smarter.
"""
__slots__ = ('history', 'nicksToHostmasks', 'channels')
2003-03-12 07:26:59 +01:00
def __init__(self):
self.history = RingBuffer(conf.maxHistory)
2003-03-12 07:26:59 +01:00
self.reset()
def reset(self):
2003-10-04 14:17:31 +02:00
"""Resets the state to normal, unconnected state."""
self.history.reset()
self.channels = ircutils.IrcDict()
2003-09-05 20:54:35 +02:00
self.nicksToHostmasks = ircutils.IrcDict()
2003-03-12 07:26:59 +01:00
def __getstate__(self):
return map(lambda name: getattr(self, name), self.__slots__)
def __setstate__(self, t):
for (name, value) in zip(self.__slots__, t):
setattr(self, name, value)
def __eq__(self, other):
ret = True
for name in self.__slots__:
ret = ret and getattr(self, name) == getattr(other, name)
return ret
def __ne__(self, other):
return not self == other
2003-08-20 18:26:23 +02:00
2003-03-12 07:26:59 +01:00
def copy(self):
ret = self.__class__()
ret.history = copy.copy(self.history)
ret.nicksToHostmasks = copy.copy(self.nicksToHostmasks)
ret.channels = copy.copy(self.channels)
return ret
def addMsg(self, irc, msg):
2003-10-04 14:17:31 +02:00
"""Updates the state based on the irc object and the message."""
self.history.append(msg)
if ircutils.isUserHostmask(msg.prefix) and not msg.command == 'NICK':
2003-03-12 07:26:59 +01:00
self.nicksToHostmasks[msg.nick] = msg.prefix
method = self.dispatchCommand(msg.command)
if method is not None:
method(irc, msg)
2003-03-12 07:26:59 +01:00
def getTopic(self, channel):
2003-10-04 14:17:31 +02:00
"""Returns the topic for a given channel."""
return self.channels[channel].topic
2003-03-12 07:26:59 +01:00
def nickToHostmask(self, nick):
2003-10-04 14:17:31 +02:00
"""Returns the hostmask for a given nick."""
2003-03-12 07:26:59 +01:00
return self.nicksToHostmasks[nick]
def do352(self, irc, msg):
(nick, user, host) = (msg.args[2], msg.args[5], msg.args[3])
hostmask = '%s!%s@%s' % (nick, user, host)
self.nicksToHostmasks[nick] = hostmask
def doJoin(self, irc, msg):
for channel in msg.args[0].split(','):
if channel in self.channels:
self.channels[channel].addUser(msg.nick)
else:
chan = ChannelState()
chan.addUser(msg.nick)
self.channels[channel] = chan
def doMode(self, irc, msg):
channel = msg.args[0]
if ircutils.isChannel(channel):
chan = self.channels[channel]
for (mode, nick) in ircutils.separateModes(msg.args[1:]):
if mode == '-o':
chan.ops.discard(nick)
elif mode == '+o':
chan.ops.add(nick)
if mode == '-h':
chan.halfops.discard(nick)
elif mode == '+h':
chan.halfops.add(nick)
if mode == '-v':
chan.voices.discard(nick)
elif mode == '+v':
chan.voices.add(nick)
def do353(self, irc, msg):
(_, _, channel, users) = msg.args
chan = self.channels[channel]
users = users.split()
for user in users:
chan.addUser(user)
def doPart(self, irc, msg):
for channel in msg.args[0].split(','):
chan = self.channels[channel]
if msg.nick == irc.nick:
del self.channels[channel]
else:
chan.removeUser(msg.nick)
def doKick(self, irc, msg):
(channel, users) = msg.args[:2]
chan = self.channels[channel]
for user in users.split(','):
chan.removeUser(user)
def doQuit(self, irc, msg):
for channel in self.channels.itervalues():
channel.removeUser(msg.nick)
def doTopic(self, irc, msg):
if len(msg.args) == 1:
return # Empty TOPIC for information. Does not affect state.
chan = self.channels[msg.args[0]]
chan.topic = msg.args[1]
def do332(self, irc, msg):
chan = self.channels[msg.args[1]]
chan.topic = msg.args[2]
def doNick(self, irc, msg):
2003-08-12 21:12:12 +02:00
newNick = msg.args[0]
oldNick = msg.nick
try:
if msg.user and msg.host:
# Nick messages being handed out from the bot itself won't
# have the necessary prefix to make a hostmask.
newHostmask = ircutils.joinHostmask(newNick,msg.user,msg.host)
self.nicksToHostmasks[newNick] = newHostmask
del self.nicksToHostmasks[oldNick]
except KeyError:
pass
for channel in self.channels.itervalues():
channel.replaceUser(oldNick, newNick)
2003-03-12 07:26:59 +01:00
###
# The basic class for handling a connection to an IRC server. Accepts
# callbacks of the IrcCallback interface. Public attributes include 'driver',
# 'queue', and 'state', in addition to the standard nick/user/ident attributes.
###
class Irc(object):
"""The base class for an IRC connection.
Handles PING commands already.
"""
2003-07-31 08:20:58 +02:00
_nickSetters = sets.Set(['001', '002', '003', '004', '250', '251', '252',
'254', '255', '265', '266', '372', '375', '376',
'333', '353', '332', '366'])
def __init__(self, nick, user='', ident='', password='', callbacks=None):
2003-03-12 07:26:59 +01:00
world.ircs.append(self)
self.nick = nick
self.password = password
2003-03-12 07:26:59 +01:00
self.user = user or nick # Default to nick if user isn't provided.
self.ident = ident or nick # Ditto.
2003-08-12 21:12:12 +02:00
self.prefix = '%s!%s@%s' % (nick, ident, 'unset.domain')
if callbacks is None:
self.callbacks = []
else:
self.callbacks = callbacks
2003-03-12 07:26:59 +01:00
self.state = IrcState()
self.queue = IrcMsgQueue()
self._nickmods = copy.copy(conf.nickmods)
self.lastTake = 0
self.fastqueue = smallqueue()
2003-03-12 07:26:59 +01:00
self.lastping = time.time()
self.outstandingPing = False
2003-03-12 07:26:59 +01:00
self.driver = None # The driver should set this later.
if self.password:
self.queue.enqueue(ircmsgs.password(self.password))
self.queue.enqueue(ircmsgs.nick(self.nick))
self.queue.enqueue(ircmsgs.user(self.ident, self.user))
2003-03-12 07:26:59 +01:00
def reset(self):
2003-10-04 14:17:31 +02:00
"""Resets the Irc object. Useful for handling reconnects."""
2003-03-12 07:26:59 +01:00
self._nickmods = copy.copy(conf.nickmods)
self.state.reset()
self.queue.reset()
self.lastping = time.time()
2003-06-06 06:47:18 +02:00
self.outstandingPing = False
2003-04-02 11:26:16 +02:00
self.fastqueue = queue()
if self.password:
self.queue.enqueue(ircmsgs.password(self.password))
self.queue.enqueue(ircmsgs.nick(self.nick))
self.queue.enqueue(ircmsgs.user(self.ident, self.user))
2003-03-12 07:26:59 +01:00
for callback in self.callbacks:
callback.reset()
def addCallback(self, callback):
2003-10-04 14:17:31 +02:00
"""Adds a callback to the callbacks list."""
2003-03-12 07:26:59 +01:00
self.callbacks.append(callback)
2003-09-05 21:28:04 +02:00
utils.sortBy(lambda cb: cb.priority, self.callbacks)
2003-03-12 07:26:59 +01:00
2003-06-06 06:47:18 +02:00
def getCallback(self, name):
2003-10-04 14:17:31 +02:00
"""Gets a given callback by name."""
2003-07-30 13:04:29 +02:00
name = name.lower()
2003-06-06 06:47:18 +02:00
for callback in self.callbacks:
2003-07-30 13:04:29 +02:00
if callback.name().lower() == name:
2003-06-06 06:47:18 +02:00
return callback
else:
return None
2003-03-12 07:26:59 +01:00
def removeCallback(self, name):
2003-10-04 14:17:31 +02:00
"""Removes a callback from the callback list."""
2003-04-20 19:18:34 +02:00
(bad, good) = partition(lambda cb: cb.name() == name, self.callbacks)
self.callbacks[:] = good
return bad
2003-03-12 07:26:59 +01:00
def queueMsg(self, msg):
2003-10-04 14:17:31 +02:00
"""Queues a message to be sent to the server."""
self.queue.enqueue(msg)
2003-03-12 07:26:59 +01:00
def sendMsg(self, msg):
2003-10-04 14:17:31 +02:00
"""Queues a message to be sent to the server *immediately*"""
2003-04-02 11:26:16 +02:00
self.fastqueue.enqueue(msg)
2003-03-12 07:26:59 +01:00
def takeMsg(self):
2003-10-04 14:17:31 +02:00
"""Called by the IrcDriver; takes a message to be sent."""
2003-03-12 07:26:59 +01:00
now = time.time()
msg = None
if self.fastqueue:
2003-04-02 11:26:16 +02:00
msg = self.fastqueue.dequeue()
elif self.queue:
if not world.testing and now - self.lastTake <= conf.throttleTime:
2003-04-03 12:06:11 +02:00
debug.msg('Irc.takeMsg throttling.', 'verbose')
2003-03-12 07:26:59 +01:00
else:
self.lastTake = now
msg = self.queue.dequeue()
2003-03-12 07:26:59 +01:00
elif now > (self.lastping + conf.pingInterval):
if self.outstandingPing:
debug.msg('Reconnecting, ping not replied to.', 'normal')
self.driver.reconnect()
2003-03-12 07:26:59 +01:00
else:
self.lastping = now
now = str(int(now))
self.outstandingPing = True
self.queueMsg(ircmsgs.ping(now))
2003-03-12 07:26:59 +01:00
if msg:
2003-09-05 21:28:04 +02:00
for callback in reviter(self.callbacks):
2003-03-12 07:26:59 +01:00
#debug.printf(repr(msg))
try:
outFilter = getattr(callback, 'outFilter')
except AttributeError, e:
continue
try:
msg = outFilter(self, msg)
except:
debug.recoverableException()
continue
if msg is None:
2003-03-28 08:55:21 +01:00
s = 'outFilter %s returned None' % callback.name()
2003-04-03 12:06:11 +02:00
debug.msg(s)
return None
self.state.addMsg(self, msg)
s = '%s %s' % (time.strftime(conf.logTimestampFormat), msg)
2003-04-03 12:06:11 +02:00
debug.msg(s, 'low')
2003-03-12 07:26:59 +01:00
if msg.command == 'NICK':
# We don't want a race condition where the server's NICK
# back to us is lost and someone else steals our nick and uses
# it to abuse our 'owner' power we give to ourselves. Ergo, on
# outgoing messages that change our nick, we pre-emptively
# delete the 'owner' user we setup for ourselves.
user = ircdb.users.getUser(0)
user.unsetAuth()
user.hostmasks = []
ircdb.users.setUser(0, user)
2003-03-12 07:26:59 +01:00
return msg
else:
return None
def feedMsg(self, msg):
2003-10-04 14:17:31 +02:00
"""Called by the IrcDriver; feeds a message received."""
debug.msg('%s %s'%(time.strftime(conf.logTimestampFormat), msg),'low')
2003-08-12 21:12:12 +02:00
# Yeah, so this is odd. Some networks (oftc) seem to give us certain
# messages with our nick instead of our prefix. We'll fix that here.
if msg.prefix == self.nick:
debug.msg('Got one of those odd nick-instead-of-prefix msgs.')
msg = ircmsgs.IrcMsg(prefix=self.prefix,
command=msg.command,
args=msg.args)
2003-03-12 07:26:59 +01:00
# First, make sure self.nick is always consistent with the server.
if msg.command == 'NICK' and msg.nick == self.nick:
user = ircdb.users.getUser(0)
user.unsetAuth()
user.hostmasks = []
ircdb.users.setUser(0, user)
2003-08-12 21:12:12 +02:00
self.nick = msg.args[0]
2003-03-28 04:01:14 +01:00
(nick, user, domain) = ircutils.splitHostmask(msg.prefix)
2003-03-12 07:26:59 +01:00
self.prefix = '%s!%s@%s' % (self.nick, user, domain)
# Respond to PING requests.
2003-08-29 10:09:09 +02:00
if msg.command == 'PING':
2003-03-12 07:26:59 +01:00
self.sendMsg(ircmsgs.pong(msg.args[0]))
2003-08-29 10:09:09 +02:00
if msg.command == 'PONG':
self.outstandingPing = False
2003-03-12 07:26:59 +01:00
# Send new nicks on 433
2003-08-29 10:09:09 +02:00
if msg.command == '433' or msg.command == '432':
#debug.printf('In irclib.Irc 433 handler.')
2003-03-12 07:26:59 +01:00
self.sendMsg(ircmsgs.nick(self._nickmods.pop(0) % self.nick))
if msg.nick == self.nick:
2003-08-29 10:09:09 +02:00
self.prefix = msg.prefix
user = ircdb.users.getUser(0)
user.hostmasks = []
user.name = self.nick
user.addHostmask(msg.prefix)
user.setPassword(utils.mktemp())
ircdb.users.setUser(0, user)
2003-08-29 10:09:09 +02:00
if msg.command == 'ERROR':
if msg.args[0].startswith('Closing Link'):
if hasattr(self.driver, 'scheduleReconnect'):
self.driver.scheduleReconnect()
if self.driver:
self.driver.die()
2003-08-29 10:09:09 +02:00
if msg.command in self._nickSetters:
#debug.printf('msg.command in self._nickSetters')
newnick = msg.args[0]
self.nick = newnick
2003-03-12 07:26:59 +01:00
# Now update the IrcState object.
try:
self.state.addMsg(self, msg)
except:
debug.recoverableException()
# Now call the callbacks.
for callback in self.callbacks:
try:
m = callback.inFilter(self, msg)
if not m:
debugmsg = 'inFilter %s returned None' % callback.name()
2003-04-03 12:06:11 +02:00
debug.msg(debugmsg)
2003-09-24 09:26:22 +02:00
return
2003-03-12 07:26:59 +01:00
msg = m
except:
debug.recoverableException()
for callback in self.callbacks:
try:
if callback is not None:
callback(self, msg)
except:
debug.recoverableException()
def die(self):
2003-10-04 14:17:31 +02:00
"""Makes the Irc object die. Dead."""
2003-03-12 07:26:59 +01:00
for callback in self.callbacks:
callback.die()
if self.driver is not None:
self.driver.die()
2003-08-23 12:59:28 +02:00
if self in world.ircs:
world.ircs.remove(self)
def __hash__(self):
return id(self)
def __eq__(self, other):
return id(self) == id(other)
# vim:set shiftwidth=4 tabstop=8 expandtab textwidth=78: