7 $debug = false unless $debug
8 $daemonize = false unless $daemonize
10 $dateformat = "%Y/%m/%d %H:%M:%S"
11 $logger = Logger.new($stderr)
12 $logger.datetime_format = $dateformat
13 $logger.level = $cl_loglevel if $cl_loglevel
14 $logger.level = 0 if $debug
16 def rawlog(level, message=nil, who_pos=1)
18 if call_stack.length > who_pos
19 who = call_stack[who_pos].sub(%r{(?:.+)/([^/]+):(\d+)(:in .*)?}) { "#{$1}:#{$2}#{$3}" }
23 # Output each line. To distinguish between separate messages and multi-line
24 # messages originating at the same time, we blank #{who} after the first message
26 message.to_s.each_line { |l|
27 $logger.add(level, l.chomp, who)
33 $logger << "\n\n=== #{botclass} session started on #{Time.now.strftime($dateformat)} ===\n\n"
37 $logger << "\n\n=== #{botclass} session ended on #{Time.now.strftime($dateformat)} ===\n\n"
40 def debug(message=nil, who_pos=1)
41 rawlog(Logger::Severity::DEBUG, message, who_pos)
44 def log(message=nil, who_pos=1)
45 rawlog(Logger::Severity::INFO, message, who_pos)
48 def warning(message=nil, who_pos=1)
49 rawlog(Logger::Severity::WARN, message, who_pos)
52 def error(message=nil, who_pos=1)
53 rawlog(Logger::Severity::ERROR, message, who_pos)
56 def fatal(message=nil, who_pos=1)
57 rawlog(Logger::Severity::FATAL, message, who_pos)
62 warning "warning test"
66 # The following global is used for the improved signal handling.
70 require 'rbot/rbotconfig'
75 require 'rbot/rfc2812'
76 require 'rbot/ircsocket'
77 require 'rbot/botuser'
79 require 'rbot/plugins'
80 # require 'rbot/channel'
81 require 'rbot/message'
82 require 'rbot/language'
84 require 'rbot/registry'
85 require 'rbot/httputil'
89 # Main bot class, which manages the various components, receives messages,
90 # handles them or passes them to plugins, and contains core functionality.
92 # the bot's IrcAuth data
95 # the bot's BotConfig data
98 # the botclass for this bot (determines configdir among other things)
101 # used to perform actions periodically (saves configuration once per minute
105 # synchronize with this mutex while touching permanent data files:
106 # saving, flushing, cleaning up ...
107 attr_reader :save_mutex
109 # bot's Language data
116 # bot's object registry, plugins get an interface to this for persistant
117 # storage (hash interface tied to a bdb file, plugins use Accessors to store
118 # and restore objects in their own namespaces.)
119 attr_reader :registry
121 # bot's plugins. This is an instance of class Plugins
124 # bot's httputil help object, for fetching resources via http. Sets up
125 # proxies etc as defined by the bot configuration/environment
126 attr_reader :httputil
128 # server we are connected to
134 # bot User in the client/server connection
140 # bot User in the client/server connection
145 # create a new IrcBot with botclass +botclass+
146 def initialize(botclass, params = {})
147 # BotConfig for the core bot
148 # TODO should we split socket stuff into ircsocket, etc?
149 BotConfig.register BotConfigStringValue.new('server.name',
150 :default => "localhost", :requires_restart => true,
151 :desc => "What server should the bot connect to?",
153 BotConfig.register BotConfigIntegerValue.new('server.port',
154 :default => 6667, :type => :integer, :requires_restart => true,
155 :desc => "What port should the bot connect to?",
156 :validate => Proc.new {|v| v > 0}, :wizard => true)
157 BotConfig.register BotConfigStringValue.new('server.password',
158 :default => false, :requires_restart => true,
159 :desc => "Password for connecting to this server (if required)",
161 BotConfig.register BotConfigStringValue.new('server.bindhost',
162 :default => false, :requires_restart => true,
163 :desc => "Specific local host or IP for the bot to bind to (if required)",
165 BotConfig.register BotConfigIntegerValue.new('server.reconnect_wait',
166 :default => 5, :validate => Proc.new{|v| v >= 0},
167 :desc => "Seconds to wait before attempting to reconnect, on disconnect")
168 BotConfig.register BotConfigFloatValue.new('server.sendq_delay',
169 :default => 2.0, :validate => Proc.new{|v| v >= 0},
170 :desc => "(flood prevention) the delay between sending messages to the server (in seconds)",
171 :on_change => Proc.new {|bot, v| bot.socket.sendq_delay = v })
172 BotConfig.register BotConfigIntegerValue.new('server.sendq_burst',
173 :default => 4, :validate => Proc.new{|v| v >= 0},
174 :desc => "(flood prevention) max lines to burst to the server before throttling. Most ircd's allow bursts of up 5 lines",
175 :on_change => Proc.new {|bot, v| bot.socket.sendq_burst = v })
176 BotConfig.register BotConfigStringValue.new('server.byterate',
177 :default => "400/2", :validate => Proc.new{|v| v.match(/\d+\/\d/)},
178 :desc => "(flood prevention) max bytes/seconds rate to send the server. Most ircd's have limits of 512 bytes/2 seconds",
179 :on_change => Proc.new {|bot, v| bot.socket.byterate = v })
180 BotConfig.register BotConfigIntegerValue.new('server.ping_timeout',
181 :default => 30, :validate => Proc.new{|v| v >= 0},
182 :on_change => Proc.new {|bot, v| bot.start_server_pings},
183 :desc => "reconnect if server doesn't respond to PING within this many seconds (set to 0 to disable)")
185 BotConfig.register BotConfigStringValue.new('irc.nick', :default => "rbot",
186 :desc => "IRC nickname the bot should attempt to use", :wizard => true,
187 :on_change => Proc.new{|bot, v| bot.sendq "NICK #{v}" })
188 BotConfig.register BotConfigStringValue.new('irc.user', :default => "rbot",
189 :requires_restart => true,
190 :desc => "local user the bot should appear to be", :wizard => true)
191 BotConfig.register BotConfigArrayValue.new('irc.join_channels',
192 :default => [], :wizard => true,
193 :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'")
194 BotConfig.register BotConfigArrayValue.new('irc.ignore_users',
196 :desc => "Which users to ignore input from. This is mainly to avoid bot-wars triggered by creative people")
198 BotConfig.register BotConfigIntegerValue.new('core.save_every',
199 :default => 60, :validate => Proc.new{|v| v >= 0},
200 # TODO change timer via on_change proc
201 :desc => "How often the bot should persist all configuration to disk (in case of a server crash, for example)")
203 BotConfig.register BotConfigBooleanValue.new('core.run_as_daemon',
204 :default => false, :requires_restart => true,
205 :desc => "Should the bot run as a daemon?")
207 BotConfig.register BotConfigStringValue.new('log.file',
208 :default => false, :requires_restart => true,
209 :desc => "Name of the logfile to which console messages will be redirected when the bot is run as a daemon")
210 BotConfig.register BotConfigIntegerValue.new('log.level',
211 :default => 1, :requires_restart => false,
212 :validate => Proc.new { |v| (0..5).include?(v) },
213 :on_change => Proc.new { |bot, v|
216 :desc => "The minimum logging level (0=DEBUG,1=INFO,2=WARN,3=ERROR,4=FATAL) for console messages")
217 BotConfig.register BotConfigIntegerValue.new('log.keep',
218 :default => 1, :requires_restart => true,
219 :validate => Proc.new { |v| v >= 0 },
220 :desc => "How many old console messages logfiles to keep")
221 BotConfig.register BotConfigIntegerValue.new('log.max_size',
222 :default => 10, :requires_restart => true,
223 :validate => Proc.new { |v| v > 0 },
224 :desc => "Maximum console messages logfile size (in megabytes)")
226 @argv = params[:argv]
228 unless FileTest.directory? Config::coredir
229 error "core directory '#{Config::coredir}' not found, did you setup.rb?"
233 unless FileTest.directory? Config::datadir
234 error "data directory '#{Config::datadir}' not found, did you setup.rb?"
238 unless botclass and not botclass.empty?
239 # We want to find a sensible default.
240 # * On POSIX systems we prefer ~/.rbot for the effective uid of the process
241 # * On Windows (at least the NT versions) we want to put our stuff in the
242 # Application Data folder.
243 # We don't use any particular O/S detection magic, exploiting the fact that
244 # Etc.getpwuid is nil on Windows
245 if Etc.getpwuid(Process::Sys.geteuid)
246 botclass = Etc.getpwuid(Process::Sys.geteuid)[:dir].dup
248 if ENV.has_key?('APPDATA')
249 botclass = ENV['APPDATA'].dup
250 botclass.gsub!("\\","/")
255 botclass = File.expand_path(botclass)
256 @botclass = botclass.gsub(/\/$/, "")
258 unless FileTest.directory? botclass
259 log "no #{botclass} directory found, creating from templates.."
260 if FileTest.exist? botclass
261 error "file #{botclass} exists but isn't a directory"
264 FileUtils.cp_r Config::datadir+'/templates', botclass
267 Dir.mkdir("#{botclass}/logs") unless File.exist?("#{botclass}/logs")
268 Dir.mkdir("#{botclass}/registry") unless File.exist?("#{botclass}/registry")
273 @startup_time = Time.new
276 @config = BotConfig.configmanager
277 @config.bot_associate(self)
280 fatal e.backtrace.join("\n")
285 if @config['core.run_as_daemon']
289 @logfile = @config['log.file']
290 if @logfile.class!=String || @logfile.empty?
291 @logfile = "#{botclass}/#{File.basename(botclass).gsub(/^\.+/,'')}.log"
294 # See http://blog.humlab.umu.se/samuel/archives/000107.html
295 # for the backgrounding code
301 rescue NotImplementedError
302 warning "Could not background, fork not supported"
304 warning "Could not background. #{e.inspect}"
307 # File.umask 0000 # Ensure sensible umask. Adjust as needed.
308 log "Redirecting standard input/output/error"
310 STDIN.reopen "/dev/null"
312 # On Windows, there's not such thing as /dev/null
315 def STDOUT.write(str=nil)
317 return str.to_s.length
319 def STDERR.write(str=nil)
320 if str.to_s.match(/:\d+: warning:/)
325 return str.to_s.length
329 # Set the new logfile and loglevel. This must be done after the daemonizing
330 $logger = Logger.new(@logfile, @config['log.keep'], @config['log.max_size']*1024*1024)
331 $logger.datetime_format= $dateformat
332 $logger.level = @config['log.level']
333 $logger.level = $cl_loglevel if $cl_loglevel
334 $logger.level = 0 if $debug
338 @registry = BotRegistry.new self
340 @timer = Timer::Timer.new(1.0) # only need per-second granularity
341 @save_mutex = Mutex.new
342 @timer.add(@config['core.save_every']) { save } if @config['core.save_every']
343 @quit_mutex = Mutex.new
347 @httputil = Utils::HttpUtil.new(self)
349 @lang = Language::Language.new(@config['core.language'])
352 @auth = Auth::authmanager
353 @auth.bot_associate(self)
354 # @auth.load("#{botclass}/botusers.yaml")
357 fatal e.backtrace.join("\n")
361 @auth.everyone.set_default_permission("*", true)
362 @auth.botowner.password= @config['auth.password']
364 Dir.mkdir("#{botclass}/plugins") unless File.exist?("#{botclass}/plugins")
365 @plugins = Plugins::pluginmanager
366 @plugins.bot_associate(self)
367 @plugins.add_botmodule_dir(Config::coredir)
368 @plugins.add_botmodule_dir("#{botclass}/plugins")
369 @plugins.add_botmodule_dir(Config::datadir + "/plugins")
372 @socket = IrcSocket.new(@config['server.name'], @config['server.port'], @config['server.bindhost'], @config['server.sendq_delay'], @config['server.sendq_burst'])
373 @client = IrcClient.new
374 myself.nick = @config['irc.nick']
376 # Channels where we are quiet
377 # It's nil when we are not quiet, an empty list when we are quiet
378 # in all channels, a list of channels otherwise
381 @client[:welcome] = proc {|data|
382 irclog "joined server #{@client.server} as #{myself}", "server"
384 @plugins.delegate("connect")
386 @config['irc.join_channels'].each { |c|
387 debug "autojoining channel #{c}"
388 if(c =~ /^(\S+)\s+(\S+)$/i)
395 @client[:isupport] = proc { |data|
396 # TODO this needs to go into rfc2812.rb
397 # Since capabs are two-steps processes, server.supports[:capab]
398 # should be a three-state: nil, [], [....]
399 sendq "CAPAB IDENTIFY-MSG" if server.supports[:capab]
401 @client[:datastr] = proc { |data|
402 # TODO this needs to go into rfc2812.rb
403 if data[:text] == "IDENTIFY-MSG"
404 server.capabilities["identify-msg".to_sym] = true
406 debug "Not handling RPL_DATASTR #{data[:servermessage]}"
409 @client[:privmsg] = proc { |data|
410 m = PrivMessage.new(self, server, data[:source], data[:target], data[:message])
411 # debug "Message source is #{data[:source].inspect}"
412 # debug "Message target is #{data[:target].inspect}"
413 # debug "Bot is #{myself.inspect}"
415 # TODO use the new Netmask class
416 # @config['irc.ignore_users'].each { |mask| return if Irc.netmaskmatch(mask,m.source) }
420 @plugins.delegate "listen", m
421 @plugins.privmsg(m) if m.address?
423 @client[:notice] = proc { |data|
424 message = NoticeMessage.new(self, server, data[:source], data[:target], data[:message])
425 # pass it off to plugins that want to hear everything
426 @plugins.delegate "listen", message
428 @client[:motd] = proc { |data|
429 data[:motd].each_line { |line|
430 irclog "MOTD: #{line}", "server"
433 @client[:nicktaken] = proc { |data|
434 nickchg "#{data[:nick]}_"
435 @plugins.delegate "nicktaken", data[:nick]
437 @client[:badnick] = proc {|data|
438 warning "bad nick (#{data[:nick]})"
440 @client[:ping] = proc {|data|
441 sendq "PONG #{data[:pingid]}"
443 @client[:pong] = proc {|data|
446 @client[:nick] = proc {|data|
447 source = data[:source]
450 m = NickMessage.new(self, server, source, old, new)
452 debug "my nick is now #{new}"
454 data[:is_on].each { |ch|
455 irclog "@ #{old} is now known as #{new}", ch
457 @plugins.delegate("listen", m)
458 @plugins.delegate("nick", m)
460 @client[:quit] = proc {|data|
461 source = data[:source]
462 message = data[:message]
463 m = QuitMessage.new(self, server, source, source, message)
464 data[:was_on].each { |ch|
465 irclog "@ Quit: #{source}: #{message}", ch
467 @plugins.delegate("listen", m)
468 @plugins.delegate("quit", m)
470 @client[:mode] = proc {|data|
471 irclog "@ Mode #{data[:modestring]} by #{data[:source]}", data[:channel]
473 @client[:join] = proc {|data|
474 m = JoinMessage.new(self, server, data[:source], data[:channel], data[:message])
477 @plugins.delegate("listen", m)
478 @plugins.delegate("join", m)
480 @client[:part] = proc {|data|
481 m = PartMessage.new(self, server, data[:source], data[:channel], data[:message])
484 @plugins.delegate("listen", m)
485 @plugins.delegate("part", m)
487 @client[:kick] = proc {|data|
488 m = KickMessage.new(self, server, data[:source], data[:target], data[:channel],data[:message])
491 @plugins.delegate("listen", m)
492 @plugins.delegate("kick", m)
494 @client[:invite] = proc {|data|
495 if data[:target] == myself
496 join data[:channel] if @auth.allow?("join", data[:source], data[:source].nick)
499 @client[:changetopic] = proc {|data|
500 m = TopicMessage.new(self, server, data[:source], data[:channel], data[:topic])
503 @plugins.delegate("listen", m)
504 @plugins.delegate("topic", m)
506 @client[:topic] = proc { |data|
507 irclog "@ Topic is \"#{data[:topic]}\"", data[:channel]
509 @client[:topicinfo] = proc { |data|
510 channel = data[:channel]
511 topic = channel.topic
512 irclog "@ Topic set by #{topic.set_by} on #{topic.set_on}", channel
513 m = TopicMessage.new(self, server, data[:source], channel, topic)
515 @plugins.delegate("listen", m)
516 @plugins.delegate("topic", m)
518 @client[:names] = proc { |data|
519 @plugins.delegate "names", data[:channel], data[:users]
521 @client[:unknown] = proc { |data|
522 #debug "UNKNOWN: #{data[:serverstring]}"
523 irclog data[:serverstring], ".unknown"
527 # checks if we should be quiet on a channel
528 def quiet_on?(channel)
529 return false unless @quiet
530 return true if @quiet.empty?
531 return @quiet.include?(channel.to_s)
534 def set_quiet(channel=nil)
536 @quiet << channel.to_s unless @quiet.include?(channel.to_s)
542 def reset_quiet(channel=nil)
544 @quiet.delete_if { |x| x == channel.to_s }
550 # things to do when we receive a signal
552 debug "received #{sig}, queueing quit"
554 quit unless @quit_mutex.locked?
555 debug "interrupted #{$interrupted} times"
563 # connect the bot to IRC
566 trap("SIGINT") { got_sig("SIGINT") }
567 trap("SIGTERM") { got_sig("SIGTERM") }
568 trap("SIGHUP") { got_sig("SIGHUP") }
569 rescue ArgumentError => e
570 debug "failed to trap signals (#{e.inspect}): running on Windows?"
572 debug "failed to trap signals: #{e.inspect}"
575 quit if $interrupted > 0
578 raise e.class, "failed to connect to IRC server at #{@config['server.name']} #{@config['server.port']}: " + e
580 quit if $interrupted > 0
581 @socket.emergency_puts "PASS " + @config['server.password'] if @config['server.password']
582 @socket.emergency_puts "NICK #{@config['irc.nick']}\nUSER #{@config['irc.user']} 4 #{@config['server.name']} :Ruby bot. (c) Tom Gilbert"
583 quit if $interrupted > 0
587 # begin event handling loop
591 quit if $interrupted > 0
595 while @socket.connected?
596 quit if $interrupted > 0
598 break unless reply = @socket.gets
599 @client.process reply
603 # I despair of this. Some of my users get "connection reset by peer"
604 # exceptions that ARENT SocketError's. How am I supposed to handle
609 rescue Errno::ETIMEDOUT, TimeoutError, SocketError => e
610 error "network exception: #{e.class}: #{e}"
611 debug e.backtrace.join("\n")
612 rescue BDB::Fatal => e
613 fatal "fatal bdb error: #{e.class}: #{e}"
614 fatal e.backtrace.join("\n")
616 # Why restart? DB problems are serious stuff ...
617 # restart("Oops, we seem to have registry problems ...")
620 rescue Exception => e
621 error "non-net exception: #{e.class}: #{e}"
622 error e.backtrace.join("\n")
624 fatal "unexpected exception: #{e.class}: #{e}"
625 fatal e.backtrace.join("\n")
632 if @socket.connected?
639 quit if $interrupted > 0
641 log "waiting to reconnect"
642 sleep @config['server.reconnect_wait']
646 # type:: message type
647 # where:: message target
648 # message:: message text
649 # send message +message+ of type +type+ to target +where+
650 # Type can be PRIVMSG, NOTICE, etc, but those you should really use the
651 # relevant say() or notice() methods. This one should be used for IRCd
652 # extensions you want to use in modules.
653 def sendmsg(type, where, message, chan=nil, ring=0)
654 # limit it according to the byterate, splitting the message
655 # taking into consideration the actual message length
656 # and all the extra stuff
657 # TODO allow something to do for commands that produce too many messages
658 # TODO example: math 10**10000
659 left = @socket.bytes_per - type.length - where.to_s.length - 4
661 if(left >= message.length)
662 sendq "#{type} #{where} :#{message}", chan, ring
663 log_sent(type, where, message)
666 line = message.slice!(0, left)
667 lastspace = line.rindex(/\s+/)
669 message = line.slice!(lastspace, line.length) + message
670 message.gsub!(/^\s+/, "")
672 sendq "#{type} #{where} :#{line}", chan, ring
673 log_sent(type, where, line)
674 end while(message.length > 0)
677 # queue an arbitraty message for the server
678 def sendq(message="", chan=nil, ring=0)
680 @socket.queue(message, chan, ring)
683 # send a notice message to channel/nick +where+
684 def notice(where, message, mchan="", mring=-1)
700 message.each_line { |line|
702 next unless(line.length > 0)
703 sendmsg "NOTICE", where, line, chan, ring
707 # say something (PRIVMSG) to channel/nick +where+
708 def say(where, message, mchan="", mring=-1)
724 message.to_s.gsub(/[\r\n]+/, "\n").each_line { |line|
726 next unless(line.length > 0)
727 unless quiet_on?(where)
728 sendmsg "PRIVMSG", where, line, chan, ring
733 # perform a CTCP action with message +message+ to channel/nick +where+
734 def action(where, message, mchan="", mring=-1)
750 sendq "PRIVMSG #{where} :\001ACTION #{message}\001", chan, ring
753 irclog "* #{myself} #{message}", where
755 irclog "* #{myself}[#{where}] #{message}", where
759 # quick way to say "okay" (or equivalent) to +where+
761 say where, @lang.get("okay")
764 # log IRC-related message +message+ to a file determined by +where+.
765 # +where+ can be a channel name, or a nick for private message logging
766 def irclog(message, where="server")
767 message = message.chomp
768 stamp = Time.now.strftime("%Y/%m/%d %H:%M:%S")
769 where = where.to_s.gsub(/[:!?$*()\/\\<>|"']/, "_")
770 unless(@logs.has_key?(where))
771 @logs[where] = File.new("#{@botclass}/logs/#{where}", "a")
772 @logs[where].sync = true
774 @logs[where].puts "[#{stamp}] #{message}"
775 #debug "[#{stamp}] <#{where}> #{message}"
778 # set topic of channel +where+ to +topic+
779 def topic(where, topic)
780 sendq "TOPIC #{where} :#{topic}", where, 2
783 # disconnect from the server and cleanup all plugins and modules
784 def shutdown(message = nil)
785 @quit_mutex.synchronize do
786 debug "Shutting down ..."
787 ## No we don't restore them ... let everything run through
789 # trap("SIGINT", "DEFAULT")
790 # trap("SIGTERM", "DEFAULT")
791 # trap("SIGHUP", "DEFAULT")
793 # debug "failed to restore signals: #{e.inspect}\nProbably running on windows?"
795 message = @lang.get("quit") if (message.nil? || message.empty?)
796 if @socket.connected?
797 debug "Clearing socket"
799 debug "Sending quit message"
800 @socket.emergency_puts "QUIT :#{message}"
801 debug "Flushing socket"
803 debug "Shutting down socket"
806 debug "Logging quits"
807 server.channels.each { |ch|
808 irclog "@ quit (#{message})", ch
813 @save_mutex.synchronize do
816 # debug "Closing registries"
818 debug "Cleaning up the db environment"
820 log "rbot quit (#{message})"
824 # message:: optional IRC quit message
825 # quit IRC, shutdown the bot
826 def quit(message=nil)
834 # totally shutdown and respawn the bot
835 def restart(message = false)
836 msg = message ? message : "restarting, back in #{@config['server.reconnect_wait']}..."
838 sleep @config['server.reconnect_wait']
840 # Note, this fails on Windows
844 # call the save method for all of the botmodules
846 @save_mutex.synchronize do
852 # call the rescan method for all of the botmodules
854 @save_mutex.synchronize do
860 # channel:: channel to join
861 # key:: optional channel key if channel is +s
863 def join(channel, key=nil)
865 sendq "JOIN #{channel} :#{key}", channel, 2
867 sendq "JOIN #{channel}", channel, 2
872 def part(channel, message="")
873 sendq "PART #{channel} :#{message}", channel, 2
876 # attempt to change bot's nick to +name+
882 def mode(channel, mode, target)
883 sendq "MODE #{channel} #{mode} #{target}", channel, 2
886 # m:: message asking for help
887 # topic:: optional topic help is requested for
888 # respond to online help requests
890 topic = nil if topic == ""
893 helpstr = "help topics: "
894 helpstr += @plugins.helptopics
895 helpstr += " (help <topic> for more info)"
897 unless(helpstr = @plugins.help(topic))
898 helpstr = "no help for topic #{topic}"
904 # returns a string describing the current status of the bot (uptime etc)
906 secs_up = Time.new - @startup_time
907 uptime = Utils.secs_to_string secs_up
908 # return "Uptime #{uptime}, #{@plugins.length} plugins active, #{@registry.length} items stored in registry, #{@socket.lines_sent} lines sent, #{@socket.lines_received} received."
909 return "Uptime #{uptime}, #{@plugins.length} plugins active, #{@socket.lines_sent} lines sent, #{@socket.lines_received} received."
912 # we'll ping the server every 30 seconds or so, and expect a response
913 # before the next one come around..
914 def start_server_pings
916 return unless @config['server.ping_timeout'] > 0
917 # we want to respond to a hung server within 30 secs or so
918 @ping_timer = @timer.add(30) {
919 @last_ping = Time.now
920 @socket.queue "PING :rbot"
922 @pong_timer = @timer.add(10) {
923 unless @last_ping.nil?
924 diff = Time.now - @last_ping
925 unless diff < @config['server.ping_timeout']
926 debug "no PONG from server for #{diff} seconds, reconnecting"
930 debug "couldn't shutdown connection (already shutdown?)"
933 raise TimeoutError, "no PONG from server in #{diff} seconds"
939 def stop_server_pings
941 # stop existing timers if running
942 unless @ping_timer.nil?
943 @timer.remove @ping_timer
946 unless @pong_timer.nil?
947 @timer.remove @pong_timer
957 irclog "* [#{m.sourcenick}(#{m.sourceaddress})] #{m.message}", m.sourcenick
959 irclog "* #{m.sourcenick} #{m.message}", m.target
963 irclog "<#{m.sourcenick}> #{m.message}", m.target
965 irclog "[#{m.sourcenick}(#{m.sourceaddress})] #{m.message}", m.sourcenick
970 # log a message. Internal use only.
971 def log_sent(type, where, message)
976 irclog "-=#{myself}=- #{message}", where
978 irclog "[-=#{where}=-] #{message}", where
983 irclog "<#{myself}> #{message}", where
985 irclog "[msg(#{where})] #{message}", where
992 debug "joined channel #{m.channel}"
993 irclog "@ Joined channel #{m.channel}", m.channel
995 irclog "@ #{m.sourcenick} joined channel #{m.channel}", m.channel
1001 debug "left channel #{m.channel}"
1002 irclog "@ Left channel #{m.channel} (#{m.message})", m.channel
1004 irclog "@ #{m.sourcenick} left channel #{m.channel} (#{m.message})", m.channel
1010 debug "kicked from channel #{m.channel}"
1011 irclog "@ You have been kicked from #{m.channel} by #{m.sourcenick} (#{m.message})", m.channel
1013 irclog "@ #{m.target} has been kicked from #{m.channel} by #{m.sourcenick} (#{m.message})", m.channel
1018 if m.source == myself
1019 irclog "@ I set topic \"#{m.topic}\"", m.channel
1021 irclog "@ #{m.source} set topic \"#{m.topic}\"", m.channel