5 $debug = false unless $debug
6 # print +message+ if debugging is enabled
8 stamp = Time.now.strftime("%Y/%m/%d %H:%M:%S")
9 print "D: [#{stamp}] #{message}\n" if($debug && message)
14 require 'rbot/rbotconfig'
18 require 'rbot/rfc2812'
19 require 'rbot/keywords'
20 require 'rbot/ircsocket'
23 require 'rbot/plugins'
24 require 'rbot/channel'
25 require 'rbot/message'
26 require 'rbot/language'
28 require 'rbot/registry'
29 require 'rbot/httputil'
33 # Main bot class, which manages the various components, receives messages,
34 # handles them or passes them to plugins, and contains core functionality.
36 # the bot's current nickname
39 # the bot's IrcAuth data
42 # the bot's BotConfig data
45 # the botclass for this bot (determines configdir among other things)
48 # used to perform actions periodically (saves configuration once per minute
55 # channel info for channels the bot is in
61 # bot's object registry, plugins get an interface to this for persistant
62 # storage (hash interface tied to a bdb file, plugins use Accessors to store
63 # and restore objects in their own namespaces.)
66 # bot's httputil help object, for fetching resources via http. Sets up
67 # proxies etc as defined by the bot configuration/environment
70 # create a new IrcBot with botclass +botclass+
71 def initialize(botclass, params = {})
72 # BotConfig for the core bot
73 BotConfig.register BotConfigStringValue.new('server.name',
74 :default => "localhost", :requires_restart => true,
75 :desc => "What server should the bot connect to?",
77 BotConfig.register BotConfigIntegerValue.new('server.port',
78 :default => 6667, :type => :integer, :requires_restart => true,
79 :desc => "What port should the bot connect to?",
80 :validate => Proc.new {|v| v > 0}, :wizard => true)
81 BotConfig.register BotConfigStringValue.new('server.password',
82 :default => false, :requires_restart => true,
83 :desc => "Password for connecting to this server (if required)",
85 BotConfig.register BotConfigStringValue.new('server.bindhost',
86 :default => false, :requires_restart => true,
87 :desc => "Specific local host or IP for the bot to bind to (if required)",
89 BotConfig.register BotConfigIntegerValue.new('server.reconnect_wait',
90 :default => 5, :validate => Proc.new{|v| v >= 0},
91 :desc => "Seconds to wait before attempting to reconnect, on disconnect")
92 BotConfig.register BotConfigStringValue.new('irc.nick', :default => "rbot",
93 :desc => "IRC nickname the bot should attempt to use", :wizard => true,
94 :on_change => Proc.new{|bot, v| bot.sendq "NICK #{v}" })
95 BotConfig.register BotConfigStringValue.new('irc.user', :default => "rbot",
96 :requires_restart => true,
97 :desc => "local user the bot should appear to be", :wizard => true)
98 BotConfig.register BotConfigArrayValue.new('irc.join_channels',
99 :default => [], :wizard => true,
100 :desc => "What channels the bot should always join at startup. List multiple channels using commas to separate. If a channel requires a password, use a space after the channel name. e.g: '#chan1, #chan2, #secretchan secritpass, #chan3'")
101 BotConfig.register BotConfigIntegerValue.new('core.save_every',
102 :default => 60, :validate => Proc.new{|v| v >= 0},
103 # TODO change timer via on_change proc
104 :desc => "How often the bot should persist all configuration to disk (in case of a server crash, for example")
105 BotConfig.register BotConfigFloatValue.new('server.sendq_delay',
106 :default => 2.0, :validate => Proc.new{|v| v >= 0},
107 :desc => "(flood prevention) the delay between sending messages to the server (in seconds)",
108 :on_change => Proc.new {|bot, v| bot.socket.sendq_delay = v })
109 BotConfig.register BotConfigIntegerValue.new('server.sendq_burst',
110 :default => 4, :validate => Proc.new{|v| v >= 0},
111 :desc => "(flood prevention) max lines to burst to the server before throttling. Most ircd's allow bursts of up 5 lines, with non-burst limits of 512 bytes/2 seconds",
112 :on_change => Proc.new {|bot, v| bot.socket.sendq_burst = v })
113 BotConfig.register BotConfigIntegerValue.new('server.ping_timeout',
114 :default => 10, :validate => Proc.new{|v| v >= 0},
115 :on_change => Proc.new {|bot, v| bot.start_server_pings},
116 :desc => "reconnect if server doesn't respond to PING within this many seconds (set to 0 to disable)")
118 @argv = params[:argv]
120 unless FileTest.directory? Config::datadir
121 puts "data directory '#{Config::datadir}' not found, did you setup.rb?"
125 botclass = "#{Etc.getpwuid(Process::Sys.geteuid)[:dir]}/.rbot" unless botclass
126 #botclass = "#{ENV['HOME']}/.rbot" unless botclass
127 @botclass = botclass.gsub(/\/$/, "")
129 unless FileTest.directory? botclass
130 puts "no #{botclass} directory found, creating from templates.."
131 if FileTest.exist? botclass
132 puts "Error: file #{botclass} exists but isn't a directory"
135 FileUtils.cp_r Config::datadir+'/templates', botclass
138 Dir.mkdir("#{botclass}/logs") unless File.exist?("#{botclass}/logs")
143 @startup_time = Time.new
144 @config = BotConfig.new(self)
145 # TODO background self after botconfig has a chance to run wizard
146 @timer = Timer::Timer.new(1.0) # only need per-second granularity
147 @registry = BotRegistry.new self
148 @timer.add(@config['core.save_every']) { save } if @config['core.save_every']
151 @httputil = Utils::HttpUtil.new(self)
152 @lang = Language::Language.new(@config['core.language'])
153 @keywords = Keywords.new(self)
154 @auth = IrcAuth.new(self)
156 Dir.mkdir("#{botclass}/plugins") unless File.exist?("#{botclass}/plugins")
157 @plugins = Plugins::Plugins.new(self, ["#{botclass}/plugins"])
159 @socket = IrcSocket.new(@config['server.name'], @config['server.port'], @config['server.bindhost'], @config['server.sendq_delay'], @config['server.sendq_burst'])
160 @nick = @config['irc.nick']
162 @client = IrcClient.new
163 @client[:privmsg] = proc { |data|
164 message = PrivMessage.new(self, data[:source], data[:target], data[:message])
167 @client[:notice] = proc { |data|
168 message = NoticeMessage.new(self, data[:source], data[:target], data[:message])
169 # pass it off to plugins that want to hear everything
170 @plugins.delegate "listen", message
172 @client[:motd] = proc { |data|
173 data[:motd].each_line { |line|
174 log "MOTD: #{line}", "server"
177 @client[:nicktaken] = proc { |data|
178 nickchg "#{data[:nick]}_"
180 @client[:badnick] = proc {|data|
181 puts "WARNING, bad nick (#{data[:nick]})"
183 @client[:ping] = proc {|data|
184 # (jump the queue for pongs)
185 @socket.puts "PONG #{data[:pingid]}"
187 @client[:pong] = proc {|data|
190 @client[:nick] = proc {|data|
191 sourcenick = data[:sourcenick]
193 m = NickMessage.new(self, data[:source], data[:sourcenick], data[:nick])
194 if(sourcenick == @nick)
195 debug "my nick is now #{nick}"
198 @channels.each {|k,v|
199 if(v.users.has_key?(sourcenick))
200 log "@ #{sourcenick} is now known as #{nick}", k
201 v.users[nick] = v.users[sourcenick]
202 v.users.delete(sourcenick)
205 @plugins.delegate("listen", m)
206 @plugins.delegate("nick", m)
208 @client[:quit] = proc {|data|
209 source = data[:source]
210 sourcenick = data[:sourcenick]
211 sourceurl = data[:sourceaddress]
212 message = data[:message]
213 m = QuitMessage.new(self, data[:source], data[:sourcenick], data[:message])
214 if(data[:sourcenick] =~ /#{Regexp.escape(@nick)}/i)
216 @channels.each {|k,v|
217 if(v.users.has_key?(sourcenick))
218 log "@ Quit: #{sourcenick}: #{message}", k
219 v.users.delete(sourcenick)
223 @plugins.delegate("listen", m)
224 @plugins.delegate("quit", m)
226 @client[:mode] = proc {|data|
227 source = data[:source]
228 sourcenick = data[:sourcenick]
229 sourceurl = data[:sourceaddress]
230 channel = data[:channel]
231 targets = data[:targets]
232 modestring = data[:modestring]
233 log "@ Mode #{modestring} #{targets} by #{sourcenick}", channel
235 @client[:welcome] = proc {|data|
236 log "joined server #{data[:source]} as #{data[:nick]}", "server"
237 debug "I think my nick is #{@nick}, server thinks #{data[:nick]}"
238 if data[:nick] && data[:nick].length > 0
242 @plugins.delegate("connect")
244 @config['irc.join_channels'].each {|c|
245 debug "autojoining channel #{c}"
246 if(c =~ /^(\S+)\s+(\S+)$/i)
253 @client[:join] = proc {|data|
254 m = JoinMessage.new(self, data[:source], data[:channel], data[:message])
257 @client[:part] = proc {|data|
258 m = PartMessage.new(self, data[:source], data[:channel], data[:message])
261 @client[:kick] = proc {|data|
262 m = KickMessage.new(self, data[:source], data[:target],data[:channel],data[:message])
265 @client[:invite] = proc {|data|
266 if(data[:target] =~ /^#{Regexp.escape(@nick)}$/i)
267 join data[:channel] if (@auth.allow?("join", data[:source], data[:sourcenick]))
270 @client[:changetopic] = proc {|data|
271 channel = data[:channel]
272 sourcenick = data[:sourcenick]
274 timestamp = data[:unixtime] || Time.now.to_i
275 if(sourcenick == @nick)
276 log "@ I set topic \"#{topic}\"", channel
278 log "@ #{sourcenick} set topic \"#{topic}\"", channel
280 m = TopicMessage.new(self, data[:source], data[:channel], timestamp, data[:topic])
283 @plugins.delegate("listen", m)
284 @plugins.delegate("topic", m)
286 @client[:topic] = @client[:topicinfo] = proc {|data|
287 channel = data[:channel]
288 m = TopicMessage.new(self, data[:source], data[:channel], data[:unixtime], data[:topic])
291 @client[:names] = proc {|data|
292 channel = data[:channel]
294 unless(@channels[channel])
295 puts "bug: got names for channel '#{channel}' I didn't think I was in\n"
298 @channels[channel].users.clear
300 @channels[channel].users[u[0].sub(/^[@&~+]/, '')] = ["mode", u[1]]
303 @client[:unknown] = proc {|data|
304 #debug "UNKNOWN: #{data[:serverstring]}"
305 log data[:serverstring], ".unknown"
309 # connect the bot to IRC
312 trap("SIGINT") { quit }
313 trap("SIGTERM") { quit }
314 trap("SIGHUP") { quit }
316 debug "failed to trap signals, probably running on windows?"
321 raise "failed to connect to IRC server at #{@config['server.name']} #{@config['server.port']}: " + e
323 @socket.puts "PASS " + @config['server.password'] if @config['server.password']
324 @socket.puts "NICK #{@nick}\nUSER #{@config['irc.user']} 4 #{@config['server.name']} :Ruby bot. (c) Tom Gilbert"
328 # begin event handling loop
337 break unless reply = @socket.gets
338 @client.process reply
341 # I despair of this. Some of my users get "connection reset by peer"
342 # exceptions that ARENT SocketError's. How am I supposed to handle
344 #rescue TimeoutError, SocketError => e
347 rescue Exception => e
348 puts "network exception: connection closed: #{e.inspect}"
349 puts e.backtrace.join("\n")
350 @socket.shutdown # now we reconnect
352 puts "unexpected exception: connection closed: #{e.inspect}"
353 puts e.backtrace.join("\n")
362 puts "waiting to reconnect"
363 sleep @config['server.reconnect_wait']
367 # type:: message type
368 # where:: message target
369 # message:: message text
370 # send message +message+ of type +type+ to target +where+
371 # Type can be PRIVMSG, NOTICE, etc, but those you should really use the
372 # relevant say() or notice() methods. This one should be used for IRCd
373 # extensions you want to use in modules.
374 def sendmsg(type, where, message)
375 # limit it 440 chars + CRLF.. so we have to split long lines
376 left = 440 - type.length - where.length - 3
378 if(left >= message.length)
379 sendq("#{type} #{where} :#{message}")
380 log_sent(type, where, message)
383 line = message.slice!(0, left)
384 lastspace = line.rindex(/\s+/)
386 message = line.slice!(lastspace, line.length) + message
387 message.gsub!(/^\s+/, "")
389 sendq("#{type} #{where} :#{line}")
390 log_sent(type, where, line)
391 end while(message.length > 0)
394 # queue an arbitraty message for the server
395 def sendq(message="")
397 @socket.queue(message)
400 # send a notice message to channel/nick +where+
401 def notice(where, message)
402 message.each_line { |line|
404 next unless(line.length > 0)
405 sendmsg("NOTICE", where, line)
409 # say something (PRIVMSG) to channel/nick +where+
410 def say(where, message)
411 message.to_s.gsub(/[\r\n]+/, "\n").each_line { |line|
413 next unless(line.length > 0)
414 unless((where =~ /^#/) && (@channels.has_key?(where) && @channels[where].quiet))
415 sendmsg("PRIVMSG", where, line)
420 # perform a CTCP action with message +message+ to channel/nick +where+
421 def action(where, message)
422 sendq("PRIVMSG #{where} :\001ACTION #{message}\001")
424 log "* #{@nick} #{message}", where
425 elsif (where =~ /^(\S*)!.*$/)
426 log "* #{@nick}[#{where}] #{message}", $1
428 log "* #{@nick}[#{where}] #{message}", where
432 # quick way to say "okay" (or equivalent) to +where+
434 say where, @lang.get("okay")
437 # log message +message+ to a file determined by +where+. +where+ can be a
438 # channel name, or a nick for private message logging
439 def log(message, where="server")
440 message = message.chomp
441 stamp = Time.now.strftime("%Y/%m/%d %H:%M:%S")
442 where = where.gsub(/[:!?$*()\/\\<>|"']/, "_")
443 unless(@logs.has_key?(where))
444 @logs[where] = File.new("#{@botclass}/logs/#{where}", "a")
445 @logs[where].sync = true
447 @logs[where].puts "[#{stamp}] #{message}"
448 #debug "[#{stamp}] <#{where}> #{message}"
451 # set topic of channel +where+ to +topic+
452 def topic(where, topic)
453 sendq "TOPIC #{where} :#{topic}"
456 # disconnect from the server and cleanup all plugins and modules
457 def shutdown(message = nil)
459 trap("SIGINT", "DEFAULT")
460 trap("SIGTERM", "DEFAULT")
461 trap("SIGHUP", "DEFAULT")
463 debug "failed to trap signals, probably running on windows?"
465 message = @lang.get("quit") if (message.nil? || message.empty?)
469 @channels.each_value {|v|
470 log "@ quit (#{message})", v.name
473 @socket.puts "QUIT :#{message}"
476 puts "rbot quit (#{message})"
479 # message:: optional IRC quit message
480 # quit IRC, shutdown the bot
481 def quit(message=nil)
489 # totally shutdown and respawn the bot
490 def restart(message = false)
491 msg = message ? message : "restarting, back in #{@config['server.reconnect_wait']}..."
493 sleep @config['server.reconnect_wait']
498 # call the save method for bot's config, keywords, auth and all plugins
506 # call the rescan method for the bot's lang, keywords and all plugins
513 # channel:: channel to join
514 # key:: optional channel key if channel is +s
516 def join(channel, key=nil)
518 sendq "JOIN #{channel} :#{key}"
520 sendq "JOIN #{channel}"
525 def part(channel, message="")
526 sendq "PART #{channel} :#{message}"
529 # attempt to change bot's nick to +name+
535 def mode(channel, mode, target)
536 sendq "MODE #{channel} #{mode} #{target}"
539 # m:: message asking for help
540 # topic:: optional topic help is requested for
541 # respond to online help requests
543 topic = nil if topic == ""
546 helpstr = "help topics: core, auth, keywords"
547 helpstr += @plugins.helptopics
548 helpstr += " (help <topic> for more info)"
551 when /^core\s+(.+)$/i
552 helpstr = corehelp $1
555 when /^auth\s+(.+)$/i
556 helpstr = @auth.help $1
558 helpstr = @keywords.help
559 when /^keywords\s+(.+)$/i
560 helpstr = @keywords.help $1
562 unless(helpstr = @plugins.help(topic))
563 helpstr = "no help for topic #{topic}"
569 # returns a string describing the current status of the bot (uptime etc)
571 secs_up = Time.new - @startup_time
572 uptime = Utils.secs_to_string secs_up
573 return "Uptime #{uptime}, #{@plugins.length} plugins active, #{@registry.length} items stored in registry, #{@socket.lines_sent} lines sent, #{@socket.lines_received} received."
576 # we'll ping the server every 30 seconds or so, and expect a response
577 # before the next one come around..
578 def start_server_pings
580 # stop existing timers if running
581 unless @ping_timer.nil?
582 @timer.remove @ping_timer
585 unless @pong_timer.nil?
586 @timer.remove @pong_timer
589 return unless @config['server.ping_timeout'] > 0
590 # we want to respond to a hung server within 30 secs or so
591 @ping_timer = @timer.add(30) {
592 @last_ping = Time.now
593 @socket.puts "PING :rbot"
595 @pong_timer = @timer.add(10) {
596 unless @last_ping.nil?
597 diff = Time.now - @last_ping
598 unless diff < @config['server.ping_timeout']
599 debug "no PONG from server for #{diff} seconds, reconnecting"
603 # raise an exception to get back to the mainloop
605 debug "couldn't shutdown connection (already shutdown?)"
615 # handle help requests for "core" topics
616 def corehelp(topic="")
619 return "quit [<message>] => quit IRC with message <message>"
621 return "restart => completely stop and restart the bot (including reconnect)"
623 return "join <channel> [<key>] => join channel <channel> with secret key <key> if specified. #{@nick} also responds to invites if you have the required access level"
625 return "part <channel> => part channel <channel>"
627 return "hide => part all channels"
629 return "save => save current dynamic data and configuration"
631 return "rescan => reload modules and static facts"
633 return "nick <nick> => attempt to change nick to <nick>"
635 return "say <channel>|<nick> <message> => say <message> to <channel> or in private message to <nick>"
637 return "action <channel>|<nick> <message> => does a /me <message> to <channel> or in private message to <nick>"
639 return "topic <channel> <message> => set topic of <channel> to <message>"
641 return "quiet [in here|<channel>] => with no arguments, stop speaking in all channels, if \"in here\", stop speaking in this channel, or stop speaking in <channel>"
643 return "talk [in here|<channel>] => with no arguments, resume speaking in all channels, if \"in here\", resume speaking in this channel, or resume speaking in <channel>"
645 return "version => describes software version"
647 return "botsnack => reward #{@nick} for being good"
649 return "hello|hi|hey|yo [#{@nick}] => greet the bot"
651 return "Core help topics: quit, restart, config, join, part, hide, save, rescan, nick, say, action, topic, quiet, talk, version, botsnack, hello"
655 # handle incoming IRC PRIVMSG +m+
660 log "* [#{m.sourcenick}(#{m.sourceaddress})] #{m.message}", m.sourcenick
662 log "* #{m.sourcenick} #{m.message}", m.target
666 log "<#{m.sourcenick}> #{m.message}", m.target
668 log "[#{m.sourcenick}(#{m.sourceaddress})] #{m.message}", m.sourcenick
672 # pass it off to plugins that want to hear everything
673 @plugins.delegate "listen", m
675 if(m.private? && m.message =~ /^\001PING\s+(.+)\001/)
676 notice m.sourcenick, "\001PING #$1\001"
677 log "@ #{m.sourcenick} pinged me"
683 when (/^join\s+(\S+)\s+(\S+)$/i)
684 join $1, $2 if(@auth.allow?("join", m.source, m.replyto))
685 when (/^join\s+(\S+)$/i)
686 join $1 if(@auth.allow?("join", m.source, m.replyto))
688 part m.target if(m.public? && @auth.allow?("join", m.source, m.replyto))
689 when (/^part\s+(\S+)$/i)
690 part $1 if(@auth.allow?("join", m.source, m.replyto))
691 when (/^quit(?:\s+(.*))?$/i)
692 quit $1 if(@auth.allow?("quit", m.source, m.replyto))
693 when (/^restart(?:\s+(.*))?$/i)
694 restart $1 if(@auth.allow?("quit", m.source, m.replyto))
696 join 0 if(@auth.allow?("join", m.source, m.replyto))
698 if(@auth.allow?("config", m.source, m.replyto))
702 when (/^nick\s+(\S+)$/i)
703 nickchg($1) if(@auth.allow?("nick", m.source, m.replyto))
704 when (/^say\s+(\S+)\s+(.*)$/i)
705 say $1, $2 if(@auth.allow?("say", m.source, m.replyto))
706 when (/^action\s+(\S+)\s+(.*)$/i)
707 action $1, $2 if(@auth.allow?("say", m.source, m.replyto))
708 when (/^topic\s+(\S+)\s+(.*)$/i)
709 topic $1, $2 if(@auth.allow?("topic", m.source, m.replyto))
710 when (/^mode\s+(\S+)\s+(\S+)\s+(.*)$/i)
711 mode $1, $2, $3 if(@auth.allow?("mode", m.source, m.replyto))
713 say m.replyto, "pong"
715 if(@auth.allow?("config", m.source, m.replyto))
720 if(auth.allow?("talk", m.source, m.replyto))
722 @channels.each_value {|c| c.quiet = true }
724 when (/^quiet in (\S+)$/i)
726 if(auth.allow?("talk", m.source, m.replyto))
728 where.gsub!(/^here$/, m.target) if m.public?
729 @channels[where].quiet = true if(@channels.has_key?(where))
732 if(auth.allow?("talk", m.source, m.replyto))
733 @channels.each_value {|c| c.quiet = false }
736 when (/^talk in (\S+)$/i)
738 if(auth.allow?("talk", m.source, m.replyto))
739 where.gsub!(/^here$/, m.target) if m.public?
740 @channels[where].quiet = false if(@channels.has_key?(where))
743 when (/^status\??$/i)
744 m.reply status if auth.allow?("status", m.source, m.replyto)
745 when (/^registry stats$/i)
746 if auth.allow?("config", m.source, m.replyto)
747 m.reply @registry.stat.inspect
749 when (/^(help\s+)?config(\s+|$)/)
751 when (/^(version)|(introduce yourself)$/i)
752 say m.replyto, "I'm a v. #{$version} rubybot, (c) Tom Gilbert - http://linuxbrit.co.uk/rbot/"
753 when (/^help(?:\s+(.*))?$/i)
754 say m.replyto, help($1)
755 #TODO move these to a "chatback" plugin
756 when (/^(botsnack|ciggie)$/i)
757 say m.replyto, @lang.get("thanks_X") % m.sourcenick if(m.public?)
758 say m.replyto, @lang.get("thanks") if(m.private?)
759 when (/^(hello|howdy|hola|salut|bonjour|sup|niihau|hey|hi(\W|$)|yo(\W|$)).*/i)
760 say m.replyto, @lang.get("hello_X") % m.sourcenick if(m.public?)
761 say m.replyto, @lang.get("hello") if(m.private?)
766 # stuff to handle when not addressed
768 when (/^\s*(hello|howdy|hola|salut|bonjour|sup|niihau|hey|hi|yo(\W|$))[\s,-.]+#{Regexp.escape(@nick)}$/i)
769 say m.replyto, @lang.get("hello_X") % m.sourcenick
770 when (/^#{Regexp.escape(@nick)}!*$/)
771 say m.replyto, @lang.get("hello_X") % m.sourcenick
778 # log a message. Internal use only.
779 def log_sent(type, where, message)
783 log "-=#{@nick}=- #{message}", where
784 elsif (where =~ /(\S*)!.*/)
785 log "[-=#{where}=-] #{message}", $1
787 log "[-=#{where}=-] #{message}"
791 log "<#{@nick}> #{message}", where
792 elsif (where =~ /^(\S*)!.*$/)
793 log "[msg(#{where})] #{message}", $1
795 log "[msg(#{where})] #{message}", where
801 @channels[m.channel] = IRCChannel.new(m.channel) unless(@channels.has_key?(m.channel))
803 debug "joined channel #{m.channel}"
804 log "@ Joined channel #{m.channel}", m.channel
806 log "@ #{m.sourcenick} joined channel #{m.channel}", m.channel
807 @channels[m.channel].users[m.sourcenick] = Hash.new
808 @channels[m.channel].users[m.sourcenick]["mode"] = ""
811 @plugins.delegate("listen", m)
812 @plugins.delegate("join", m)
817 debug "left channel #{m.channel}"
818 log "@ Left channel #{m.channel} (#{m.message})", m.channel
819 @channels.delete(m.channel)
821 log "@ #{m.sourcenick} left channel #{m.channel} (#{m.message})", m.channel
822 @channels[m.channel].users.delete(m.sourcenick)
825 # delegate to plugins
826 @plugins.delegate("listen", m)
827 @plugins.delegate("part", m)
830 # respond to being kicked from a channel
833 debug "kicked from channel #{m.channel}"
834 @channels.delete(m.channel)
835 log "@ You have been kicked from #{m.channel} by #{m.sourcenick} (#{m.message})", m.channel
837 @channels[m.channel].users.delete(m.sourcenick)
838 log "@ #{m.target} has been kicked from #{m.channel} by #{m.sourcenick} (#{m.message})", m.channel
841 @plugins.delegate("listen", m)
842 @plugins.delegate("kick", m)
846 @channels[m.channel] = IRCChannel.new(m.channel) unless(@channels.has_key?(m.channel))
847 @channels[m.channel].topic = m.topic if !m.topic.nil?
848 @channels[m.channel].topic.timestamp = m.timestamp if !m.timestamp.nil?
849 @channels[m.channel].topic.by = m.source if !m.source.nil?
851 debug "topic of channel #{m.channel} is now #{@channels[m.channel].topic}"
854 # delegate a privmsg to auth, keyword or plugin handlers
855 def delegate_privmsg(message)
856 [@auth, @plugins, @keywords].each {|m|
857 break if m.privmsg(message)