1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458
|
# -*- coding: utf-8 -*-
"""
Minbif - IRC instant messaging gateway
Copyright(C) 2009 Romain Bignon
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, version 2 of the License.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
"""
from __future__ import with_statement
import sys
import os
import traceback
from select import select
from subprocess import Popen, PIPE, STDOUT
from time import sleep, time
import re
try:
import config
except ImportError:
print >>sys.stderr, 'Error: please rename config.py.example to config.py and edit it!'
sys.exit(1)
from structs import Account, Buddy
NOBUFFER_PATH = os.path.normpath(os.path.join(os.path.dirname(__file__), 'libnobuffer.so'))
MINBIF_PATH = os.path.normpath(os.path.join(os.path.dirname(__file__), '..', 'build', 'src', 'minbif'))
def getBacktrace(empty="Empty backtrace."):
"""
Try to get backtrace as string.
Returns "Error while trying to get backtrace" on failure.
"""
try:
info = sys.exc_info()
trace = traceback.format_exception(*info)
sys.exc_clear()
if trace[0] != "None\n":
return "".join(trace)
except:
# No i18n here (imagine if i18n function calls error...)
return "Error while trying to get backtrace"
return empty
class Test:
NAME = ''
INSTANCES = {}
TESTS = []
PATH = '/tmp/minbif-tests'
def __getitem__(self, inst):
return self.INSTANCES[inst]
def run(self, stop_on_failure=True):
print '\nStarting test: %s' % self.NAME
ret = self._run(stop_on_failure)
for name, instance in self.INSTANCES.iteritems():
instance.stop()
if ret:
print 'End of test %s: success' % self.NAME
else:
print 'End of test %s: failed' % self.NAME
self.display_logs()
print ''
return ret
def _run(self, stop_on_failure=True):
if not self.rm_and_mkdir(self.PATH):
return False
for name, instance in self.INSTANCES.iteritems():
sys.stdout.write('\tLaunch %-25s' % (name + ':'))
inst_path = '%s/%s' % (self.PATH, name)
if not self.rm_and_mkdir(inst_path):
return False
if instance.start(inst_path):
print '[Success]'
else:
print '[Failed]'
return False
for test in self.TESTS:
if not self.run_test(test) and stop_on_failure:
return False
return True
def run_test(self, test):
sys.stdout.write('\tTest %-26s ' % (test + ':'))
if not hasattr(self, 'test_%s' % test):
print '[Not found]'
else:
func = getattr(self, 'test_%s' % test)
msg = ''
try:
ret = func()
except Exception, e:
ret = False
msg = '%s: %s' % (type(e).__name__, str(e))
for instance in self.INSTANCES.itervalues():
instance.log(getBacktrace())
if ret:
print '[Success]'
return True
else:
print '[Failed] %s' % msg
return False
def rm_and_mkdir(self, path):
try:
for root, dirs, files in os.walk(path, topdown=False):
for name in files:
os.remove(os.path.join(root, name))
for name in dirs:
os.rmdir(os.path.join(root, name))
except OSError, e:
print 'Error: unable to remove directory %s: %s' % (path, e)
return False
try:
os.rmdir(path)
except:
pass
try:
os.mkdir(path)
except OSError, e:
print 'Error: unable to create directory %s: %s' % (path, e)
return False
return True
def display_logs(self):
for name, instance in self.INSTANCES.iteritems():
print '\nLog for %s:' % name
instance.display_logs()
class Message:
def __init__(self, cmd, sender=None, receiver=None, args=[]):
self.cmd = cmd
self.sender = sender
self.receiver = receiver
self.args = args
@staticmethod
def parseline(line):
args = line.split()
if not args or len(args) < 3:
return None
cmd = None
sender = None
receiver = None
if args[0][0] == ':':
sender = args.pop(0)[1:]
cmd = args.pop(0)
receiver = args.pop(0)
for i in xrange(len(args)):
if args[i][0] == ':':
args[i] = ' '.join(args[i:])[1:]
args = args[:i+1]
break
return Message(cmd, sender, receiver, args)
class Instance:
DEFAULT_CONF = {'path': {'users': ''},
'irc': {'hostname': 'im.symlink.me',
'type': 0,
'ping': 0,
},
'file_transfers': {'enabled': 'true',
'dcc': 'true',
'port_range': '1024-65535',
},
'aaa': {},
'logging': {'level': 'DESYNCH WARNING ERR INFO DEBUG',
'to_syslog': 'false'
},
}
def __init__(self, config={}):
self.config = config
self.path = ''
self.logs = []
self.process = None
def display_logs(self):
for log in self.logs:
print ' %s' % log
def log(self, s):
self.logs.append('%.3f %s' % (time(), s))
def stop(self):
if not self.process:
return
try:
while self.readline(): pass
self.write("QUIT")
except IOError:
pass
else:
self.process.wait()
self.process = None
def write(self, msg):
if self.process:
self.log("> %s" % msg)
self.process.stdin.write("%s\n" % msg)
def readline(self, timeout=0):
out = self.process.stdout
if timeout is not None:
ready = select([out.fileno()], [], [], timeout)[0]
if not ready:
return None
line = out.readline()
if not line:
return None
line = line.rstrip()
self.log("< %s" % line)
return line
def readmsg(self, cmd=None, timeout=0):
start = time()
while start + timeout >= (1 if timeout == 0 else time()):
line = self.readline(timeout)
if not line:
return None
msg = Message.parseline(line)
if not msg:
print line
continue
if not cmd or isinstance(cmd, (str,unicode)) and msg.cmd == cmd \
or msg.cmd in cmd:
return msg
def start(self, path):
try:
self.path = path
config_path = '%s/minbif.conf' % path
self.write_config(config_path)
self.process = Popen((MINBIF_PATH, config_path),
stdin=PIPE, stdout=PIPE, stderr=STDOUT,
env={"LD_PRELOAD": NOBUFFER_PATH})
return self.login()
except Exception, e:
self.process = None
self.log(getBacktrace())
sys.stdout.write("(%s) " % e)
return False
def update_config(self, config, config2):
for key, value in config2.iteritems():
if key in config and isinstance(config[key], dict):
self.update_config(config[key], value)
else:
config[key] = value
def write_config(self, filename):
config = self.DEFAULT_CONF.copy()
config['path']['users'] = '%s/users' % self.path
self.update_config(config, self.config)
self.config = config
with open(filename, 'w') as f:
self.write_config_section(f, 0, config)
def write_config_section(self, fp, depth, section):
tabs = ' ' * depth
for key, value in section.iteritems():
if isinstance(value, dict):
fp.write("%s%s {\n" % (tabs, key))
self.write_config_section(fp, depth+1, value)
fp.write("%s}\n" % tabs)
else:
fp.write("%s%s = %s\n" % (tabs, key, value))
def login(self, nickname="minbif", password="minbifrocks"):
self.write("USER minbif * * :MinBif")
self.write("PASS %s" % password)
self.write("NICK %s" % nickname)
msg = self.readmsg("001", 5)
return (msg != None)
def create_account(self, proto=None, channel='&minbif'):
account = None
if not proto:
try:
account = config.ACCOUNTS.pop()
except IndexError:
return False
else:
for acc in xrange(len(config.ACCOUNTS)):
if config.ACCOUNTS[acc].proto == proto:
account = config.ACCOUNTS.pop(acc)
break
if not account:
return False
options = ''
for key, value in account.options:
options += ' '
if isinstance(value, bool):
if value:
options += "-%s" % key
else:
options += "-!%s" % key
else:
options += "-%s \"%s\"" % (key, value)
self.write("MAP add %s %s %s %s %s" % (account.proto,
account.username,
account.password,
options,
channel))
return self.readmsg("017", 1) != None
def remove_account(self, name):
self.write("MAP delete %s" % name)
return self.readmsg("017", 1) != None
def wait_connected(self, name):
accounts = self.get_accounts()
if not name in accounts.iterkeys():
return False
acc = accounts[name]
if acc.state == 'connected':
return True
if acc.state != 'connecting':
return False
while 1:
msg = self.readmsg(('NOTICE','PRIVMSG'),5)
if not msg:
return False
m = re.match('\*\*\* Notice -- Connection to ([^ ]+):%s established!' % name, msg.args[0])
if m:
return True
if msg.sender.startswith('request!') and msg.args[0] == 'New request: SSL Certificate Verification':
self.write("PRIVMSG request :accept")
def get_accounts(self):
# flush
while self.readline():
pass
self.write("MAP")
accounts = {}
while 1:
msg = self.readmsg(("015", "017"), 2)
if not msg:
return False
if msg.cmd == "017":
break
line = msg.args[0]
# me
if not line.startswith('|') and not line.startswith('`'):
continue
m = re.match(".([- ][\*\+]*)(.+):([[a-zA-Z]+)([0-9]*)", line)
if m:
acc = Account(proto=m.group(3), username=m.group(2))
prompt2state = {'-': 'connected',
' ': 'disconnected',
'-*': 'connecting',
'-+': 'added'
}
acc.state = prompt2state[m.group(1)]
accounts['%s%s' % (m.group(3), m.group(4))] = acc
return accounts
def get_full_account(self, accname):
while self.readline():
pass
self.write("MAP edit %s" % accname)
acc = None
while 1:
msg = self.readmsg("NOTICE", 1)
if not msg:
return acc
m = re.match("-- Parameters of account (.+):([a-zA-Z]+)([0-9]*) --", msg.args[0])
if m:
acc = Account(proto=m.group(2), username=m.group(1))
else:
m = re.match("([^ ]+) = (.*)", msg.args[0])
if m:
acc.options[m.group(1)] = m.group(2)
def get_buddies(self, accname=''):
while self.readline(): pass
self.write("WHO %s" % accname)
buddies = {}
while 1:
msg = self.readmsg(('352', '315'), 3)
if not msg or msg.cmd == '315':
return buddies
servername = msg.args[3]
if servername == self.config['irc']['hostname']:
continue
nickname = msg.args[4]
username = msg.args[1]
hostname = msg.args[2]
realname = msg.args[6][2:]
buddy = Buddy(servername, nickname, username, hostname, realname)
buddies[nickname] = buddy
def request_answer(self, question, answer, timeout=1):
self.log('Wait request "%s"' % question)
while 1:
msg = self.readmsg('PRIVMSG', timeout)
if not msg:
return False
if msg.sender.startswith('request!') and msg.args[0].startswith(question):
self.write('PRIVMSG request :%s' % answer)
return True
def clean_buddies(self, accname=''):
self.request_answer('New request: Authorize buddy?', 'authorize', 0)
while 1:
buddies = self.get_buddies(accname)
if not buddies:
break
for nick, buddy in buddies.iteritems():
self.write("KILL %s" % nick)
self.request_answer('New request: Authorize buddy?', 'authorize', 0)
return True
|