/IRCXBMC/irclib.py

http://xbmc-scripting.googlecode.com/ · Python · 1556 lines · 1124 code · 143 blank · 289 comment · 136 complexity · e61a15a034009a8736f6934731c7951a MD5 · raw file

  1. # Copyright (C) 1999--2002 Joel Rosdahl
  2. #
  3. # This library is free software; you can redistribute it and/or
  4. # modify it under the terms of the GNU Lesser General Public
  5. # License as published by the Free Software Foundation; either
  6. # version 2.1 of the License, or (at your option) any later version.
  7. #
  8. # This library is distributed in the hope that it will be useful,
  9. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  10. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
  11. # Lesser General Public License for more details.
  12. #
  13. # You should have received a copy of the GNU Lesser General Public
  14. # License along with this library; if not, write to the Free Software
  15. # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
  16. #
  17. # keltus <keltus@users.sourceforge.net>
  18. #
  19. # $Id: irclib.py,v 1.43 2005/12/24 22:12:40 keltus Exp $
  20. """irclib -- Internet Relay Chat (IRC) protocol client library.
  21. This library is intended to encapsulate the IRC protocol at a quite
  22. low level. It provides an event-driven IRC client framework. It has
  23. a fairly thorough support for the basic IRC protocol, CTCP, DCC chat,
  24. but DCC file transfers is not yet supported.
  25. In order to understand how to make an IRC client, I'm afraid you more
  26. or less must understand the IRC specifications. They are available
  27. here: [IRC specifications].
  28. The main features of the IRC client framework are:
  29. * Abstraction of the IRC protocol.
  30. * Handles multiple simultaneous IRC server connections.
  31. * Handles server PONGing transparently.
  32. * Messages to the IRC server are done by calling methods on an IRC
  33. connection object.
  34. * Messages from an IRC server triggers events, which can be caught
  35. by event handlers.
  36. * Reading from and writing to IRC server sockets are normally done
  37. by an internal select() loop, but the select()ing may be done by
  38. an external main loop.
  39. * Functions can be registered to execute at specified times by the
  40. event-loop.
  41. * Decodes CTCP tagging correctly (hopefully); I haven't seen any
  42. other IRC client implementation that handles the CTCP
  43. specification subtilties.
  44. * A kind of simple, single-server, object-oriented IRC client class
  45. that dispatches events to instance methods is included.
  46. Current limitations:
  47. * The IRC protocol shines through the abstraction a bit too much.
  48. * Data is not written asynchronously to the server, i.e. the write()
  49. may block if the TCP buffers are stuffed.
  50. * There are no support for DCC file transfers.
  51. * The author haven't even read RFC 2810, 2811, 2812 and 2813.
  52. * Like most projects, documentation is lacking...
  53. .. [IRC specifications] http://www.irchelp.org/irchelp/rfc/
  54. """
  55. import bisect
  56. import re
  57. import select
  58. import socket
  59. import string
  60. import sys
  61. import time
  62. import types
  63. VERSION = 0, 4, 6
  64. DEBUG = 1
  65. # TODO
  66. # ----
  67. # (maybe) thread safety
  68. # (maybe) color parser convenience functions
  69. # documentation (including all event types)
  70. # (maybe) add awareness of different types of ircds
  71. # send data asynchronously to the server (and DCC connections)
  72. # (maybe) automatically close unused, passive DCC connections after a while
  73. # NOTES
  74. # -----
  75. # connection.quit() only sends QUIT to the server.
  76. # ERROR from the server triggers the error event and the disconnect event.
  77. # dropping of the connection triggers the disconnect event.
  78. class IRCError(Exception):
  79. """Represents an IRC exception."""
  80. pass
  81. class IRC:
  82. """Class that handles one or several IRC server connections.
  83. When an IRC object has been instantiated, it can be used to create
  84. Connection objects that represent the IRC connections. The
  85. responsibility of the IRC object is to provide an event-driven
  86. framework for the connections and to keep the connections alive.
  87. It runs a select loop to poll each connection's TCP socket and
  88. hands over the sockets with incoming data for processing by the
  89. corresponding connection.
  90. The methods of most interest for an IRC client writer are server,
  91. add_global_handler, remove_global_handler, execute_at,
  92. execute_delayed, process_once and process_forever.
  93. Here is an example:
  94. irc = irclib.IRC()
  95. server = irc.server()
  96. server.connect(\"irc.some.where\", 6667, \"my_nickname\")
  97. server.privmsg(\"a_nickname\", \"Hi there!\")
  98. irc.process_forever()
  99. This will connect to the IRC server irc.some.where on port 6667
  100. using the nickname my_nickname and send the message \"Hi there!\"
  101. to the nickname a_nickname.
  102. """
  103. def __init__(self, fn_to_add_socket=None,
  104. fn_to_remove_socket=None,
  105. fn_to_add_timeout=None):
  106. """Constructor for IRC objects.
  107. Optional arguments are fn_to_add_socket, fn_to_remove_socket
  108. and fn_to_add_timeout. The first two specify functions that
  109. will be called with a socket object as argument when the IRC
  110. object wants to be notified (or stop being notified) of data
  111. coming on a new socket. When new data arrives, the method
  112. process_data should be called. Similarly, fn_to_add_timeout
  113. is called with a number of seconds (a floating point number)
  114. as first argument when the IRC object wants to receive a
  115. notification (by calling the process_timeout method). So, if
  116. e.g. the argument is 42.17, the object wants the
  117. process_timeout method to be called after 42 seconds and 170
  118. milliseconds.
  119. The three arguments mainly exist to be able to use an external
  120. main loop (for example Tkinter's or PyGTK's main app loop)
  121. instead of calling the process_forever method.
  122. An alternative is to just call ServerConnection.process_once()
  123. once in a while.
  124. """
  125. if fn_to_add_socket and fn_to_remove_socket:
  126. self.fn_to_add_socket = fn_to_add_socket
  127. self.fn_to_remove_socket = fn_to_remove_socket
  128. else:
  129. self.fn_to_add_socket = None
  130. self.fn_to_remove_socket = None
  131. self.fn_to_add_timeout = fn_to_add_timeout
  132. self.connections = []
  133. self.handlers = {}
  134. self.delayed_commands = [] # list of tuples in the format (time, function, arguments)
  135. self.add_global_handler("ping", _ping_ponger, -42)
  136. def server(self):
  137. """Creates and returns a ServerConnection object."""
  138. c = ServerConnection(self)
  139. self.connections.append(c)
  140. return c
  141. def process_data(self, sockets):
  142. """Called when there is more data to read on connection sockets.
  143. Arguments:
  144. sockets -- A list of socket objects.
  145. See documentation for IRC.__init__.
  146. """
  147. for s in sockets:
  148. for c in self.connections:
  149. if s == c._get_socket():
  150. c.process_data()
  151. def process_timeout(self):
  152. """Called when a timeout notification is due.
  153. See documentation for IRC.__init__.
  154. """
  155. t = time.time()
  156. while self.delayed_commands:
  157. if t >= self.delayed_commands[0][0]:
  158. self.delayed_commands[0][1](*self.delayed_commands[0][2])
  159. del self.delayed_commands[0]
  160. else:
  161. break
  162. def process_once(self, timeout=0):
  163. """Process data from connections once.
  164. Arguments:
  165. timeout -- How long the select() call should wait if no
  166. data is available.
  167. This method should be called periodically to check and process
  168. incoming data, if there are any. If that seems boring, look
  169. at the process_forever method.
  170. """
  171. sockets = map(lambda x: x._get_socket(), self.connections)
  172. sockets = filter(lambda x: x != None, sockets)
  173. if sockets:
  174. (i, o, e) = select.select(sockets, [], [], timeout)
  175. self.process_data(i)
  176. else:
  177. time.sleep(timeout)
  178. self.process_timeout()
  179. def process_forever(self, timeout=0.2):
  180. """Run an infinite loop, processing data from connections.
  181. This method repeatedly calls process_once.
  182. Arguments:
  183. timeout -- Parameter to pass to process_once.
  184. """
  185. while 1:
  186. self.process_once(timeout)
  187. def disconnect_all(self, message=""):
  188. """Disconnects all connections."""
  189. for c in self.connections:
  190. c.disconnect(message)
  191. def add_global_handler(self, event, handler, priority=0):
  192. """Adds a global handler function for a specific event type.
  193. Arguments:
  194. event -- Event type (a string). Check the values of the
  195. numeric_events dictionary in irclib.py for possible event
  196. types.
  197. handler -- Callback function.
  198. priority -- A number (the lower number, the higher priority).
  199. The handler function is called whenever the specified event is
  200. triggered in any of the connections. See documentation for
  201. the Event class.
  202. The handler functions are called in priority order (lowest
  203. number is highest priority). If a handler function returns
  204. \"NO MORE\", no more handlers will be called.
  205. """
  206. if not event in self.handlers:
  207. self.handlers[event] = []
  208. bisect.insort(self.handlers[event], ((priority, handler)))
  209. def remove_global_handler(self, event, handler):
  210. """Removes a global handler function.
  211. Arguments:
  212. event -- Event type (a string).
  213. handler -- Callback function.
  214. Returns 1 on success, otherwise 0.
  215. """
  216. if not event in self.handlers:
  217. return 0
  218. for h in self.handlers[event]:
  219. if handler == h[1]:
  220. self.handlers[event].remove(h)
  221. return 1
  222. def execute_at(self, at, function, arguments=()):
  223. """Execute a function at a specified time.
  224. Arguments:
  225. at -- Execute at this time (standard \"time_t\" time).
  226. function -- Function to call.
  227. arguments -- Arguments to give the function.
  228. """
  229. self.execute_delayed(at-time.time(), function, arguments)
  230. def execute_delayed(self, delay, function, arguments=()):
  231. """Execute a function after a specified time.
  232. Arguments:
  233. delay -- How many seconds to wait.
  234. function -- Function to call.
  235. arguments -- Arguments to give the function.
  236. """
  237. bisect.insort(self.delayed_commands, (delay+time.time(), function, arguments))
  238. if self.fn_to_add_timeout:
  239. self.fn_to_add_timeout(delay)
  240. def dcc(self, dcctype="chat"):
  241. """Creates and returns a DCCConnection object.
  242. Arguments:
  243. dcctype -- "chat" for DCC CHAT connections or "raw" for
  244. DCC SEND (or other DCC types). If "chat",
  245. incoming data will be split in newline-separated
  246. chunks. If "raw", incoming data is not touched.
  247. """
  248. c = DCCConnection(self, dcctype)
  249. self.connections.append(c)
  250. return c
  251. def _handle_event(self, connection, event):
  252. """[Internal]"""
  253. h = self.handlers
  254. for handler in h.get("all_events", []) + h.get(event.eventtype(), []):
  255. if handler[1](connection, event) == "NO MORE":
  256. return
  257. def _remove_connection(self, connection):
  258. """[Internal]"""
  259. self.connections.remove(connection)
  260. if self.fn_to_remove_socket:
  261. self.fn_to_remove_socket(connection._get_socket())
  262. _rfc_1459_command_regexp = re.compile("^(:(?P<prefix>[^ ]+) +)?(?P<command>[^ ]+)( *(?P<argument> .+))?")
  263. class Connection:
  264. """Base class for IRC connections.
  265. Must be overridden.
  266. """
  267. def __init__(self, irclibobj):
  268. self.irclibobj = irclibobj
  269. def _get_socket():
  270. raise IRCError, "Not overridden"
  271. ##############################
  272. ### Convenience wrappers.
  273. def execute_at(self, at, function, arguments=()):
  274. self.irclibobj.execute_at(at, function, arguments)
  275. def execute_delayed(self, delay, function, arguments=()):
  276. self.irclibobj.execute_delayed(delay, function, arguments)
  277. class ServerConnectionError(IRCError):
  278. pass
  279. class ServerNotConnectedError(ServerConnectionError):
  280. pass
  281. # Huh!? Crrrrazy EFNet doesn't follow the RFC: their ircd seems to
  282. # use \n as message separator! :P
  283. _linesep_regexp = re.compile("\r?\n")
  284. class ServerConnection(Connection):
  285. """This class represents an IRC server connection.
  286. ServerConnection objects are instantiated by calling the server
  287. method on an IRC object.
  288. """
  289. def __init__(self, irclibobj):
  290. Connection.__init__(self, irclibobj)
  291. self.connected = 0 # Not connected yet.
  292. self.socket = None
  293. def connect(self, server, port, nickname, password=None, username=None,
  294. ircname=None, localaddress="", localport=0):
  295. """Connect/reconnect to a server.
  296. Arguments:
  297. server -- Server name.
  298. port -- Port number.
  299. nickname -- The nickname.
  300. password -- Password (if any).
  301. username -- The username.
  302. ircname -- The IRC name ("realname").
  303. localaddress -- Bind the connection to a specific local IP address.
  304. localport -- Bind the connection to a specific local port.
  305. This function can be called to reconnect a closed connection.
  306. Returns the ServerConnection object.
  307. """
  308. if self.connected:
  309. self.disconnect("Changing servers")
  310. self.previous_buffer = ""
  311. self.handlers = {}
  312. self.real_server_name = ""
  313. self.real_nickname = nickname
  314. self.server = server
  315. self.port = port
  316. self.nickname = nickname
  317. self.username = username or nickname
  318. self.ircname = ircname or nickname
  319. self.password = password
  320. self.localaddress = localaddress
  321. self.localport = localport
  322. self.localhost = socket.gethostname()
  323. self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  324. try:
  325. self.socket.bind((self.localaddress, self.localport))
  326. self.socket.connect((self.server, self.port))
  327. except socket.error, x:
  328. self.socket.close()
  329. self.socket = None
  330. raise ServerConnectionError, "Couldn't connect to socket: %s" % x
  331. self.connected = 1
  332. if self.irclibobj.fn_to_add_socket:
  333. self.irclibobj.fn_to_add_socket(self.socket)
  334. # Log on...
  335. if self.password:
  336. self.pass_(self.password)
  337. self.nick(self.nickname)
  338. self.user(self.username, self.ircname)
  339. return self
  340. def close(self):
  341. """Close the connection.
  342. This method closes the connection permanently; after it has
  343. been called, the object is unusable.
  344. """
  345. self.disconnect("Closing object")
  346. self.irclibobj._remove_connection(self)
  347. def _get_socket(self):
  348. """[Internal]"""
  349. return self.socket
  350. def get_server_name(self):
  351. """Get the (real) server name.
  352. This method returns the (real) server name, or, more
  353. specifically, what the server calls itself.
  354. """
  355. if self.real_server_name:
  356. return self.real_server_name
  357. else:
  358. return ""
  359. def get_nickname(self):
  360. """Get the (real) nick name.
  361. This method returns the (real) nickname. The library keeps
  362. track of nick changes, so it might not be the nick name that
  363. was passed to the connect() method. """
  364. return self.real_nickname
  365. def process_data(self):
  366. """[Internal]"""
  367. try:
  368. new_data = self.socket.recv(2**14)
  369. except socket.error, x:
  370. # The server hung up.
  371. self.disconnect("Connection reset by peer")
  372. return
  373. if not new_data:
  374. # Read nothing: connection must be down.
  375. self.disconnect("Connection reset by peer")
  376. return
  377. lines = _linesep_regexp.split(self.previous_buffer + new_data)
  378. # Save the last, unfinished line.
  379. self.previous_buffer = lines[-1]
  380. lines = lines[:-1]
  381. for line in lines:
  382. if DEBUG:
  383. print "FROM SERVER:", line
  384. if not line:
  385. continue
  386. prefix = None
  387. command = None
  388. arguments = None
  389. self._handle_event(Event("all_raw_messages",
  390. self.get_server_name(),
  391. None,
  392. [line]))
  393. m = _rfc_1459_command_regexp.match(line)
  394. if m.group("prefix"):
  395. prefix = m.group("prefix")
  396. if not self.real_server_name:
  397. self.real_server_name = prefix
  398. if m.group("command"):
  399. command = m.group("command").lower()
  400. if m.group("argument"):
  401. a = m.group("argument").split(" :", 1)
  402. arguments = a[0].split()
  403. if len(a) == 2:
  404. arguments.append(a[1])
  405. # Translate numerics into more readable strings.
  406. if command in numeric_events:
  407. command = numeric_events[command]
  408. if command == "nick":
  409. if nm_to_n(prefix) == self.real_nickname:
  410. self.real_nickname = arguments[0]
  411. elif command == "welcome":
  412. # Record the nickname in case the client changed nick
  413. # in a nicknameinuse callback.
  414. self.real_nickname = arguments[0]
  415. if command == "namreply":
  416. #DONNO HACK: Auto handle this now coz can't get it working on main page
  417. pass
  418. if command == "nicknameinuse":
  419. #DONNO HACK: Auto handle this now coz it will slow stuff down if handels else wherer
  420. self.nickname = self.nickname + "_"
  421. self.nick(self.nickname)
  422. if command in ["privmsg", "notice"]:
  423. target, message = arguments[0], arguments[1]
  424. messages = _ctcp_dequote(message)
  425. if command == "privmsg":
  426. if is_channel(target):
  427. command = "pubmsg"
  428. else:
  429. if is_channel(target):
  430. command = "pubnotice"
  431. else:
  432. command = "privnotice"
  433. for m in messages:
  434. if type(m) is types.TupleType:
  435. if command in ["privmsg", "pubmsg"]:
  436. command = "ctcp"
  437. else:
  438. command = "ctcpreply"
  439. m = list(m)
  440. if DEBUG:
  441. print "command: %s, source: %s, target: %s, arguments: %s" % (
  442. command, prefix, target, m)
  443. self._handle_event(Event(command, prefix, target, m))
  444. if command == "ctcp" and m[0] == "ACTION":
  445. self._handle_event(Event("action", prefix, target, m[1:]))
  446. else:
  447. if DEBUG:
  448. print "command: %s, source: %s, target: %s, arguments: %s" % (
  449. command, prefix, target, [m])
  450. self._handle_event(Event(command, prefix, target, [m]))
  451. else:
  452. target = None
  453. if command == "quit":
  454. arguments = [arguments[0]]
  455. elif command == "ping":
  456. target = arguments[0]
  457. else:
  458. target = arguments[0]
  459. arguments = arguments[1:]
  460. if command == "mode":
  461. if not is_channel(target):
  462. command = "umode"
  463. if DEBUG:
  464. print "command: %s, source: %s, target: %s, arguments: %s" % (
  465. command, prefix, target, arguments)
  466. self._handle_event(Event(command, prefix, target, arguments))
  467. def _handle_event(self, event):
  468. """[Internal]"""
  469. self.irclibobj._handle_event(self, event)
  470. if event.eventtype() in self.handlers:
  471. for fn in self.handlers[event.eventtype()]:
  472. fn(self, event)
  473. def is_connected(self):
  474. """Return connection status.
  475. Returns true if connected, otherwise false.
  476. """
  477. return self.connected
  478. def add_global_handler(self, *args):
  479. """Add global handler.
  480. See documentation for IRC.add_global_handler.
  481. """
  482. self.irclibobj.add_global_handler(*args)
  483. def remove_global_handler(self, *args):
  484. """Remove global handler.
  485. See documentation for IRC.remove_global_handler.
  486. """
  487. self.irclibobj.remove_global_handler(*args)
  488. def action(self, target, action):
  489. """Send a CTCP ACTION command."""
  490. self.ctcp("ACTION", target, action)
  491. def admin(self, server=""):
  492. """Send an ADMIN command."""
  493. self.send_raw(" ".join(["ADMIN", server]).strip())
  494. def ctcp(self, ctcptype, target, parameter=""):
  495. """Send a CTCP command."""
  496. ctcptype = ctcptype.upper()
  497. self.privmsg(target, "\001%s%s\001" % (ctcptype, parameter and (" " + parameter) or ""))
  498. def ctcp_reply(self, target, parameter):
  499. """Send a CTCP REPLY command."""
  500. self.notice(target, "\001%s\001" % parameter)
  501. def disconnect(self, message=""):
  502. """Hang up the connection.
  503. Arguments:
  504. message -- Quit message.
  505. """
  506. if not self.connected:
  507. return
  508. self.connected = 0
  509. self.quit(message)
  510. try:
  511. self.socket.close()
  512. except socket.error, x:
  513. pass
  514. self.socket = None
  515. self._handle_event(Event("disconnect", self.server, "", [message]))
  516. def globops(self, text):
  517. """Send a GLOBOPS command."""
  518. self.send_raw("GLOBOPS :" + text)
  519. def info(self, server=""):
  520. """Send an INFO command."""
  521. self.send_raw(" ".join(["INFO", server]).strip())
  522. def invite(self, nick, channel):
  523. """Send an INVITE command."""
  524. self.send_raw(" ".join(["INVITE", nick, channel]).strip())
  525. def ison(self, nicks):
  526. """Send an ISON command.
  527. Arguments:
  528. nicks -- List of nicks.
  529. """
  530. self.send_raw("ISON " + " ".join(nicks))
  531. def join(self, channel, key=""):
  532. """Send a JOIN command."""
  533. self.send_raw("JOIN %s%s" % (channel, (key and (" " + key))))
  534. def kick(self, channel, nick, comment=""):
  535. """Send a KICK command."""
  536. self.send_raw("KICK %s %s%s" % (channel, nick, (comment and (" :" + comment))))
  537. def links(self, remote_server="", server_mask=""):
  538. """Send a LINKS command."""
  539. command = "LINKS"
  540. if remote_server:
  541. command = command + " " + remote_server
  542. if server_mask:
  543. command = command + " " + server_mask
  544. self.send_raw(command)
  545. def list(self, channels=None, server=""):
  546. """Send a LIST command."""
  547. command = "LIST"
  548. if channels:
  549. command = command + " " + ",".join(channels)
  550. if server:
  551. command = command + " " + server
  552. self.send_raw(command)
  553. def lusers(self, server=""):
  554. """Send a LUSERS command."""
  555. self.send_raw("LUSERS" + (server and (" " + server)))
  556. def mode(self, target, command):
  557. """Send a MODE command."""
  558. self.send_raw("MODE %s %s" % (target, command))
  559. def motd(self, server=""):
  560. """Send an MOTD command."""
  561. self.send_raw("MOTD" + (server and (" " + server)))
  562. def names(self, channels=None):
  563. """Send a NAMES command."""
  564. self.send_raw("NAMES" + (channels and (" " + ",".join(channels)) or ""))
  565. def nick(self, newnick):
  566. """Send a NICK command."""
  567. self.send_raw("NICK " + newnick)
  568. def notice(self, target, text):
  569. """Send a NOTICE command."""
  570. # Should limit len(text) here!
  571. self.send_raw("NOTICE %s :%s" % (target, text))
  572. def oper(self, nick, password):
  573. """Send an OPER command."""
  574. self.send_raw("OPER %s %s" % (nick, password))
  575. def part(self, channels, message=""):
  576. """Send a PART command."""
  577. if type(channels) == types.StringType:
  578. self.send_raw("PART " + channels + (message and (" " + message)))
  579. else:
  580. self.send_raw("PART " + ",".join(channels) + (message and (" " + message)))
  581. def pass_(self, password):
  582. """Send a PASS command."""
  583. self.send_raw("PASS " + password)
  584. def ping(self, target, target2=""):
  585. """Send a PING command."""
  586. self.send_raw("PING %s%s" % (target, target2 and (" " + target2)))
  587. def pong(self, target, target2=""):
  588. """Send a PONG command."""
  589. self.send_raw("PONG %s%s" % (target, target2 and (" " + target2)))
  590. def privmsg(self, target, text):
  591. """Send a PRIVMSG command."""
  592. # Should limit len(text) here!
  593. self.send_raw("PRIVMSG %s :%s" % (target, text))
  594. def privmsg_many(self, targets, text):
  595. """Send a PRIVMSG command to multiple targets."""
  596. # Should limit len(text) here!
  597. self.send_raw("PRIVMSG %s :%s" % (",".join(targets), text))
  598. def quit(self, message=""):
  599. """Send a QUIT command."""
  600. # Note that many IRC servers don't use your QUIT message
  601. # unless you've been connected for at least 5 minutes!
  602. self.send_raw("QUIT" + (message and (" :" + message)))
  603. def sconnect(self, target, port="", server=""):
  604. """Send an SCONNECT command."""
  605. self.send_raw("CONNECT %s%s%s" % (target,
  606. port and (" " + port),
  607. server and (" " + server)))
  608. def send_raw(self, string):
  609. """Send raw string to the server.
  610. The string will be padded with appropriate CR LF.
  611. """
  612. if self.socket is None:
  613. raise ServerNotConnectedError, "Not connected."
  614. try:
  615. self.socket.send(string + "\r\n")
  616. if DEBUG:
  617. print "TO SERVER:", string
  618. except socket.error, x:
  619. # Ouch!
  620. self.disconnect("Connection reset by peer.")
  621. def squit(self, server, comment=""):
  622. """Send an SQUIT command."""
  623. self.send_raw("SQUIT %s%s" % (server, comment and (" :" + comment)))
  624. def stats(self, statstype, server=""):
  625. """Send a STATS command."""
  626. self.send_raw("STATS %s%s" % (statstype, server and (" " + server)))
  627. def time(self, server=""):
  628. """Send a TIME command."""
  629. self.send_raw("TIME" + (server and (" " + server)))
  630. def topic(self, channel, new_topic=None):
  631. """Send a TOPIC command."""
  632. if new_topic is None:
  633. self.send_raw("TOPIC " + channel)
  634. else:
  635. self.send_raw("TOPIC %s :%s" % (channel, new_topic))
  636. def trace(self, target=""):
  637. """Send a TRACE command."""
  638. self.send_raw("TRACE" + (target and (" " + target)))
  639. def user(self, username, realname):
  640. """Send a USER command."""
  641. self.send_raw("USER %s 0 * :%s" % (username, realname))
  642. def userhost(self, nicks):
  643. """Send a USERHOST command."""
  644. self.send_raw("USERHOST " + ",".join(nicks))
  645. def users(self, server=""):
  646. """Send a USERS command."""
  647. self.send_raw("USERS" + (server and (" " + server)))
  648. def version(self, server=""):
  649. """Send a VERSION command."""
  650. self.send_raw("VERSION" + (server and (" " + server)))
  651. def wallops(self, text):
  652. """Send a WALLOPS command."""
  653. self.send_raw("WALLOPS :" + text)
  654. def who(self, target="", op=""):
  655. """Send a WHO command."""
  656. self.send_raw("WHO%s%s" % (target and (" " + target), op and (" o")))
  657. def whois(self, targets):
  658. """Send a WHOIS command."""
  659. self.send_raw("WHOIS " + ",".join(targets))
  660. def whowas(self, nick, max="", server=""):
  661. """Send a WHOWAS command."""
  662. self.send_raw("WHOWAS %s%s%s" % (nick,
  663. max and (" " + max),
  664. server and (" " + server)))
  665. class DCCConnectionError(IRCError):
  666. pass
  667. class DCCConnection(Connection):
  668. """This class represents a DCC connection.
  669. DCCConnection objects are instantiated by calling the dcc
  670. method on an IRC object.
  671. """
  672. def __init__(self, irclibobj, dcctype):
  673. Connection.__init__(self, irclibobj)
  674. self.connected = 0
  675. self.passive = 0
  676. self.dcctype = dcctype
  677. self.peeraddress = None
  678. self.peerport = None
  679. def connect(self, address, port):
  680. """Connect/reconnect to a DCC peer.
  681. Arguments:
  682. address -- Host/IP address of the peer.
  683. port -- The port number to connect to.
  684. Returns the DCCConnection object.
  685. """
  686. self.peeraddress = socket.gethostbyname(address)
  687. self.peerport = port
  688. self.socket = None
  689. self.previous_buffer = ""
  690. self.handlers = {}
  691. self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  692. self.passive = 0
  693. try:
  694. self.socket.connect((self.peeraddress, self.peerport))
  695. except socket.error, x:
  696. raise DCCConnectionError, "Couldn't connect to socket: %s" % x
  697. self.connected = 1
  698. if self.irclibobj.fn_to_add_socket:
  699. self.irclibobj.fn_to_add_socket(self.socket)
  700. return self
  701. def listen(self):
  702. """Wait for a connection/reconnection from a DCC peer.
  703. Returns the DCCConnection object.
  704. The local IP address and port are available as
  705. self.localaddress and self.localport. After connection from a
  706. peer, the peer address and port are available as
  707. self.peeraddress and self.peerport.
  708. """
  709. self.previous_buffer = ""
  710. self.handlers = {}
  711. self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  712. self.passive = 1
  713. try:
  714. self.socket.bind((socket.gethostbyname(socket.gethostname()), 0))
  715. self.localaddress, self.localport = self.socket.getsockname()
  716. self.socket.listen(10)
  717. except socket.error, x:
  718. raise DCCConnectionError, "Couldn't bind socket: %s" % x
  719. return self
  720. def disconnect(self, message=""):
  721. """Hang up the connection and close the object.
  722. Arguments:
  723. message -- Quit message.
  724. """
  725. if not self.connected:
  726. return
  727. self.connected = 0
  728. try:
  729. self.socket.close()
  730. except socket.error, x:
  731. pass
  732. self.socket = None
  733. self.irclibobj._handle_event(
  734. self,
  735. Event("dcc_disconnect", self.peeraddress, "", [message]))
  736. self.irclibobj._remove_connection(self)
  737. def process_data(self):
  738. """[Internal]"""
  739. if self.passive and not self.connected:
  740. conn, (self.peeraddress, self.peerport) = self.socket.accept()
  741. self.socket.close()
  742. self.socket = conn
  743. self.connected = 1
  744. if DEBUG:
  745. print "DCC connection from %s:%d" % (
  746. self.peeraddress, self.peerport)
  747. self.irclibobj._handle_event(
  748. self,
  749. Event("dcc_connect", self.peeraddress, None, None))
  750. return
  751. try:
  752. new_data = self.socket.recv(2**14)
  753. except socket.error, x:
  754. # The server hung up.
  755. self.disconnect("Connection reset by peer")
  756. return
  757. if not new_data:
  758. # Read nothing: connection must be down.
  759. self.disconnect("Connection reset by peer")
  760. return
  761. if self.dcctype == "chat":
  762. # The specification says lines are terminated with LF, but
  763. # it seems safer to handle CR LF terminations too.
  764. chunks = _linesep_regexp.split(self.previous_buffer + new_data)
  765. # Save the last, unfinished line.
  766. self.previous_buffer = chunks[-1]
  767. if len(self.previous_buffer) > 2**14:
  768. # Bad peer! Naughty peer!
  769. self.disconnect()
  770. return
  771. chunks = chunks[:-1]
  772. else:
  773. chunks = [new_data]
  774. command = "dccmsg"
  775. prefix = self.peeraddress
  776. target = None
  777. for chunk in chunks:
  778. if DEBUG:
  779. print "FROM PEER:", chunk
  780. arguments = [chunk]
  781. if DEBUG:
  782. print "command: %s, source: %s, target: %s, arguments: %s" % (
  783. command, prefix, target, arguments)
  784. self.irclibobj._handle_event(
  785. self,
  786. Event(command, prefix, target, arguments))
  787. def _get_socket(self):
  788. """[Internal]"""
  789. return self.socket
  790. def privmsg(self, string):
  791. """Send data to DCC peer.
  792. The string will be padded with appropriate LF if it's a DCC
  793. CHAT session.
  794. """
  795. try:
  796. self.socket.send(string)
  797. if self.dcctype == "chat":
  798. self.socket.send("\n")
  799. if DEBUG:
  800. print "TO PEER: %s\n" % string
  801. except socket.error, x:
  802. # Ouch!
  803. self.disconnect("Connection reset by peer.")
  804. class SimpleIRCClient:
  805. """A simple single-server IRC client class.
  806. This is an example of an object-oriented wrapper of the IRC
  807. framework. A real IRC client can be made by subclassing this
  808. class and adding appropriate methods.
  809. The method on_join will be called when a "join" event is created
  810. (which is done when the server sends a JOIN messsage/command),
  811. on_privmsg will be called for "privmsg" events, and so on. The
  812. handler methods get two arguments: the connection object (same as
  813. self.connection) and the event object.
  814. Instance attributes that can be used by sub classes:
  815. ircobj -- The IRC instance.
  816. connection -- The ServerConnection instance.
  817. dcc_connections -- A list of DCCConnection instances.
  818. """
  819. def __init__(self):
  820. self.ircobj = IRC()
  821. self.connection = self.ircobj.server()
  822. self.dcc_connections = []
  823. self.ircobj.add_global_handler("all_events", self._dispatcher, -10)
  824. self.ircobj.add_global_handler("dcc_disconnect", self._dcc_disconnect, -10)
  825. def _dispatcher(self, c, e):
  826. """[Internal]"""
  827. m = "on_" + e.eventtype()
  828. if hasattr(self, m):
  829. getattr(self, m)(c, e)
  830. def _dcc_disconnect(self, c, e):
  831. self.dcc_connections.remove(c)
  832. def connect(self, server, port, nickname, password=None, username=None,
  833. ircname=None, localaddress="", localport=0):
  834. """Connect/reconnect to a server.
  835. Arguments:
  836. server -- Server name.
  837. port -- Port number.
  838. nickname -- The nickname.
  839. password -- Password (if any).
  840. username -- The username.
  841. ircname -- The IRC name.
  842. localaddress -- Bind the connection to a specific local IP address.
  843. localport -- Bind the connection to a specific local port.
  844. This function can be called to reconnect a closed connection.
  845. """
  846. self.connection.connect(server, port, nickname,
  847. password, username, ircname,
  848. localaddress, localport)
  849. def dcc_connect(self, address, port, dcctype="chat"):
  850. """Connect to a DCC peer.
  851. Arguments:
  852. address -- IP address of the peer.
  853. port -- Port to connect to.
  854. Returns a DCCConnection instance.
  855. """
  856. dcc = self.ircobj.dcc(dcctype)
  857. self.dcc_connections.append(dcc)
  858. dcc.connect(address, port)
  859. return dcc
  860. def dcc_listen(self, dcctype="chat"):
  861. """Listen for connections from a DCC peer.
  862. Returns a DCCConnection instance.
  863. """
  864. dcc = self.ircobj.dcc(dcctype)
  865. self.dcc_connections.append(dcc)
  866. dcc.listen()
  867. return dcc
  868. def start(self):
  869. """Start the IRC client."""
  870. self.ircobj.process_forever()
  871. class Event:
  872. """Class representing an IRC event."""
  873. def __init__(self, eventtype, source, target, arguments=None):
  874. """Constructor of Event objects.
  875. Arguments:
  876. eventtype -- A string describing the event.
  877. source -- The originator of the event (a nick mask or a server).
  878. target -- The target of the event (a nick or a channel).
  879. arguments -- Any event specific arguments.
  880. """
  881. self._eventtype = eventtype
  882. self._source = source
  883. self._target = target
  884. if arguments:
  885. self._arguments = arguments
  886. else:
  887. self._arguments = []
  888. def eventtype(self):
  889. """Get the event type."""
  890. return self._eventtype
  891. def source(self):
  892. """Get the event source."""
  893. return self._source
  894. def target(self):
  895. """Get the event target."""
  896. return self._target
  897. def arguments(self):
  898. """Get the event arguments."""
  899. return self._arguments
  900. _LOW_LEVEL_QUOTE = "\020"
  901. _CTCP_LEVEL_QUOTE = "\134"
  902. _CTCP_DELIMITER = "\001"
  903. _low_level_mapping = {
  904. "0": "\000",
  905. "n": "\n",
  906. "r": "\r",
  907. _LOW_LEVEL_QUOTE: _LOW_LEVEL_QUOTE
  908. }
  909. _low_level_regexp = re.compile(_LOW_LEVEL_QUOTE + "(.)")
  910. def mask_matches(nick, mask):
  911. """Check if a nick matches a mask.
  912. Returns true if the nick matches, otherwise false.
  913. """
  914. nick = irc_lower(nick)
  915. mask = irc_lower(mask)
  916. mask = mask.replace("\\", "\\\\")
  917. for ch in ".$|[](){}+":
  918. mask = mask.replace(ch, "\\" + ch)
  919. mask = mask.replace("?", ".")
  920. mask = mask.replace("*", ".*")
  921. r = re.compile(mask, re.IGNORECASE)
  922. return r.match(nick)
  923. _special = "-[]\\`^{}"
  924. nick_characters = string.ascii_letters + string.digits + _special
  925. _ircstring_translation = string.maketrans(string.ascii_uppercase + "[]\\^",
  926. string.ascii_lowercase + "{}|~")
  927. def irc_lower(s):
  928. """Returns a lowercased string.
  929. The definition of lowercased comes from the IRC specification (RFC
  930. 1459).
  931. """
  932. return s.translate(_ircstring_translation)
  933. def _ctcp_dequote(message):
  934. """[Internal] Dequote a message according to CTCP specifications.
  935. The function returns a list where each element can be either a
  936. string (normal message) or a tuple of one or two strings (tagged
  937. messages). If a tuple has only one element (ie is a singleton),
  938. that element is the tag; otherwise the tuple has two elements: the
  939. tag and the data.
  940. Arguments:
  941. message -- The message to be decoded.
  942. """
  943. def _low_level_replace(match_obj):
  944. ch = match_obj.group(1)
  945. # If low_level_mapping doesn't have the character as key, we
  946. # should just return the character.
  947. return _low_level_mapping.get(ch, ch)
  948. if _LOW_LEVEL_QUOTE in message:
  949. # Yup, there was a quote. Release the dequoter, man!
  950. message = _low_level_regexp.sub(_low_level_replace, message)
  951. if _CTCP_DELIMITER not in message:
  952. return [message]
  953. else:
  954. # Split it into parts. (Does any IRC client actually *use*
  955. # CTCP stacking like this?)
  956. chunks = message.split(_CTCP_DELIMITER)
  957. messages = []
  958. i = 0
  959. while i < len(chunks)-1:
  960. # Add message if it's non-empty.
  961. if len(chunks[i]) > 0:
  962. messages.append(chunks[i])
  963. if i < len(chunks)-2:
  964. # Aye! CTCP tagged data ahead!
  965. messages.append(tuple(chunks[i+1].split(" ", 1)))
  966. i = i + 2
  967. if len(chunks) % 2 == 0:
  968. # Hey, a lonely _CTCP_DELIMITER at the end! This means
  969. # that the last chunk, including the delimiter, is a
  970. # normal message! (This is according to the CTCP
  971. # specification.)
  972. messages.append(_CTCP_DELIMITER + chunks[-1])
  973. return messages
  974. def is_channel(string):
  975. """Check if a string is a channel name.
  976. Returns true if the argument is a channel name, otherwise false.
  977. """
  978. return string and string[0] in "#&+!"
  979. def ip_numstr_to_quad(num):
  980. """Convert an IP number as an integer given in ASCII
  981. representation (e.g. '3232235521') to an IP address string
  982. (e.g. '192.168.0.1')."""
  983. n = long(num)
  984. p = map(str, map(int, [n >> 24 & 0xFF, n >> 16 & 0xFF,
  985. n >> 8 & 0xFF, n & 0xFF]))
  986. return ".".join(p)
  987. def ip_quad_to_numstr(quad):
  988. """Convert an IP address string (e.g. '192.168.0.1') to an IP
  989. number as an integer given in ASCII representation
  990. (e.g. '3232235521')."""
  991. p = map(long, quad.split("."))
  992. s = str((p[0] << 24) | (p[1] << 16) | (p[2] << 8) | p[3])
  993. if s[-1] == "L":
  994. s = s[:-1]
  995. return s
  996. def nm_to_n(s):
  997. """Get the nick part of a nickmask.
  998. (The source of an Event is a nickmask.)
  999. """
  1000. return s.split("!")[0]
  1001. def nm_to_uh(s):
  1002. """Get the userhost part of a nickmask.
  1003. (The source of an Event is a nickmask.)
  1004. """
  1005. return s.split("!")[1]
  1006. def nm_to_h(s):
  1007. """Get the host part of a nickmask.
  1008. (The source of an Event is a nickmask.)
  1009. """
  1010. return s.split("@")[1]
  1011. def nm_to_u(s):
  1012. """Get the user part of a nickmask.
  1013. (The source of an Event is a nickmask.)
  1014. """
  1015. s = s.split("!")[1]
  1016. return s.split("@")[0]
  1017. def parse_nick_modes(mode_string):
  1018. """Parse a nick mode string.
  1019. The function returns a list of lists with three members: sign,
  1020. mode and argument. The sign is \"+\" or \"-\". The argument is
  1021. always None.
  1022. Example:
  1023. >>> irclib.parse_nick_modes(\"+ab-c\")
  1024. [['+', 'a', None], ['+', 'b', None], ['-', 'c', None]]
  1025. """
  1026. return _parse_modes(mode_string, "")
  1027. def parse_channel_modes(mode_string):
  1028. """Parse a channel mode string.
  1029. The function returns a list of lists with three members: sign,
  1030. mode and argument. The sign is \"+\" or \"-\". The argument is
  1031. None if mode isn't one of \"b\", \"k\", \"l\", \"v\" or \"o\".
  1032. Example:
  1033. >>> irclib.parse_channel_modes(\"+ab-c foo\")
  1034. [['+', 'a', None], ['+', 'b', 'foo'], ['-', 'c', None]]
  1035. """
  1036. return _parse_modes(mode_string, "bklvo")
  1037. def _parse_modes(mode_string, unary_modes=""):
  1038. """[Internal]"""
  1039. modes = []
  1040. arg_count = 0
  1041. # State variable.
  1042. sign = ""
  1043. a = mode_string.split()
  1044. if len(a) == 0:
  1045. return []
  1046. else:
  1047. mode_part, args = a[0], a[1:]
  1048. if mode_part[0] not in "+-":
  1049. return []
  1050. for ch in mode_part:
  1051. if ch in "+-":
  1052. sign = ch
  1053. elif ch == " ":
  1054. collecting_arguments = 1
  1055. elif ch in unary_modes:
  1056. if len(args) >= arg_count + 1:
  1057. modes.append([sign, ch, args[arg_count]])
  1058. arg_count = arg_count + 1
  1059. else:
  1060. modes.append([sign, ch, None])
  1061. else:
  1062. modes.append([sign, ch, None])
  1063. return modes
  1064. def _ping_ponger(connection, event):
  1065. """[Internal]"""
  1066. connection.pong(event.target())
  1067. # Numeric table mostly stolen from the Perl IRC module (Net::IRC).
  1068. numeric_events = {
  1069. "001": "welcome",
  1070. "002": "yourhost",
  1071. "003": "created",
  1072. "004": "myinfo",
  1073. "005": "featurelist", # XXX
  1074. "200": "tracelink",
  1075. "201": "traceconnecting",
  1076. "202": "tracehandshake",
  1077. "203": "traceunknown",
  1078. "204": "traceoperator",
  1079. "205": "traceuser",
  1080. "206": "traceserver",
  1081. "207": "traceservice",
  1082. "208": "tracenewtype",
  1083. "209": "traceclass",
  1084. "210": "tracereconnect",
  1085. "211": "statslinkinfo",
  1086. "212": "statscommands",
  1087. "213": "statscline",
  1088. "214": "statsnline",
  1089. "215": "statsiline",
  1090. "216": "statskline",
  1091. "217": "statsqline",
  1092. "218": "statsyline",
  1093. "219": "endofstats",
  1094. "221": "umodeis",
  1095. "231": "serviceinfo",
  1096. "232": "endofservices",
  1097. "233": "service",
  1098. "234": "servlist",
  1099. "235": "servlistend",
  1100. "241": "statslline",
  1101. "242": "statsuptime",
  1102. "243": "statsoline",
  1103. "244": "statshline",
  1104. "250": "luserconns",
  1105. "251": "luserclient",
  1106. "252": "luserop",
  1107. "253": "luserunknown",
  1108. "254": "luserchannels",
  1109. "255": "luserme",
  1110. "256": "adminme",
  1111. "257": "adminloc1",
  1112. "258": "adminloc2",
  1113. "259": "adminemail",
  1114. "261": "tracelog",
  1115. "262": "endoftrace",
  1116. "263": "tryagain",
  1117. "265": "n_local",
  1118. "266": "n_global",
  1119. "300": "none",
  1120. "301": "away",
  1121. "302": "userhost",
  1122. "303": "ison",
  1123. "305": "unaway",
  1124. "306": "nowaway",
  1125. "311": "whoisuser",
  1126. "312": "whoisserver",
  1127. "313": "whoisoperator",
  1128. "314": "whowasuser",
  1129. "315": "endofwho",
  1130. "316": "whoischanop",
  1131. "317": "whoisidle",
  1132. "318": "endofwhois",
  1133. "319": "whoischannels",
  1134. "321": "liststart",
  1135. "322": "list",
  1136. "323": "listend",
  1137. "324": "channelmodeis",
  1138. "329": "channelcreate",
  1139. "331": "notopic",
  1140. "332": "currenttopic",
  1141. "333": "topicinfo",
  1142. "341": "inviting",
  1143. "342": "summoning",
  1144. "346": "invitelist",
  1145. "347": "endofinvitelist",
  1146. "348": "exceptlist",
  1147. "349": "endofexceptlist",
  1148. "351": "version",
  1149. "352": "whoreply",
  1150. "353": "namreply",
  1151. "361": "killdone",
  1152. "362": "closing",
  1153. "363": "closeend",
  1154. "364": "links",
  1155. "365": "endoflinks",
  1156. "366": "endofnames",
  1157. "367": "banlist",
  1158. "368": "endofbanlist",
  1159. "369": "endofwhowas",
  1160. "371": "info",
  1161. "372": "motd",
  1162. "373": "infostart",
  1163. "374": "endofinfo",
  1164. "375": "motdstart",
  1165. "376": "endofmotd",
  1166. "377": "motd2", # 1997-10-16 -- tkil
  1167. "381": "youreoper",
  1168. "382": "rehashing",
  1169. "384": "myportis",
  1170. "391": "time",
  1171. "392": "usersstart",
  1172. "393": "users",
  1173. "394": "endofusers",
  1174. "395": "nousers",
  1175. "401": "nosuchnick",
  1176. "402": "nosuchserver",
  1177. "403": "nosuchchannel",
  1178. "404": "cannotsendtochan",
  1179. "405": "toomanychannels",
  1180. "406": "wasnosuchnick",
  1181. "407": "toomanytargets",
  1182. "409": "noorigin",
  1183. "411": "norecipient",
  1184. "412": "notexttosend",
  1185. "413": "notoplevel",
  1186. "414": "wildtoplevel",
  1187. "421": "unknowncommand",
  1188. "422": "nomotd",
  1189. "423": "noadmininfo",
  1190. "424": "fileerror",
  1191. "431": "nonicknamegiven",
  1192. "432": "erroneusnickname", # Thiss iz how its speld in thee RFC.
  1193. "433": "nicknameinuse",
  1194. "436": "nickcollision",
  1195. "437": "unavailresource", # "Nick temporally unavailable"
  1196. "441": "usernotinchannel",
  1197. "442": "notonchannel",
  1198. "443": "useronchannel",
  1199. "444": "nologin",
  1200. "445": "summondisabled",
  1201. "446": "usersdisabled",
  1202. "451": "notregistered",
  1203. "461": "needmoreparams",
  1204. "462": "alreadyregistered",
  1205. "463": "nopermforhost",
  1206. "464": "passwdmismatch",
  1207. "465": "yourebannedcreep", # I love this one...
  1208. "466": "youwillbebanned",
  1209. "467": "keyset",
  1210. "471": "channelisfull",
  1211. "472": "unknownmode",
  1212. "473": "inviteonlychan",
  1213. "474": "bannedfromchan",
  1214. "475": "badchannelkey",
  1215. "476": "badchanmask",
  1216. "477": "nochanmodes", # "Channel doesn't support modes"
  1217. "478": "banlistfull",
  1218. "481": "noprivileges",
  1219. "482": "chanoprivsneeded",
  1220. "483": "cantkillserver",
  1221. "484": "restricted", # Connection is restricted
  1222. "485": "uniqopprivsneeded",
  1223. "491": "nooperhost",
  1224. "492": "noservicehost",
  1225. "501": "umodeunknownflag",
  1226. "502": "usersdontmatch",
  1227. }
  1228. generated_events = [
  1229. # Generated events
  1230. "dcc_connect",
  1231. "dcc_disconnect",
  1232. "dccmsg",
  1233. "disconnect",
  1234. "ctcp",
  1235. "ctcpreply",
  1236. ]
  1237. protocol_events = [
  1238. # IRC protocol events
  1239. "error",
  1240. "join",
  1241. "kick",
  1242. "mode",
  1243. "part",
  1244. "ping",
  1245. "privmsg",
  1246. "privnotice",
  1247. "pubmsg",
  1248. "pubnotice",
  1249. "quit",
  1250. "invite",
  1251. "pong",
  1252. ]
  1253. all_events = generated_events + protocol_events + numeric_events.values()