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 BotConfigBooleanValue.new('server.ssl',
158 :default => false, :requires_restart => true, :wizard => true,
159 :desc => "Use SSL to connect to this server?")
160 BotConfig.register BotConfigStringValue.new('server.password',
161 :default => false, :requires_restart => true,
162 :desc => "Password for connecting to this server (if required)",
164 BotConfig.register BotConfigStringValue.new('server.bindhost',
165 :default => false, :requires_restart => true,
166 :desc => "Specific local host or IP for the bot to bind to (if required)",
168 BotConfig.register BotConfigIntegerValue.new('server.reconnect_wait',
169 :default => 5, :validate => Proc.new{|v| v >= 0},
170 :desc => "Seconds to wait before attempting to reconnect, on disconnect")
171 BotConfig.register BotConfigFloatValue.new('server.sendq_delay',
172 :default => 2.0, :validate => Proc.new{|v| v >= 0},
173 :desc => "(flood prevention) the delay between sending messages to the server (in seconds)",
174 :on_change => Proc.new {|bot, v| bot.socket.sendq_delay = v })
175 BotConfig.register BotConfigIntegerValue.new('server.sendq_burst',
176 :default => 4, :validate => Proc.new{|v| v >= 0},
177 :desc => "(flood prevention) max lines to burst to the server before throttling. Most ircd's allow bursts of up 5 lines",
178 :on_change => Proc.new {|bot, v| bot.socket.sendq_burst = v })
179 BotConfig.register BotConfigIntegerValue.new('server.ping_timeout',
180 :default => 30, :validate => Proc.new{|v| v >= 0},
181 :on_change => Proc.new {|bot, v| bot.start_server_pings},
182 :desc => "reconnect if server doesn't respond to PING within this many seconds (set to 0 to disable)")
184 BotConfig.register BotConfigStringValue.new('irc.nick', :default => "rbot",
185 :desc => "IRC nickname the bot should attempt to use", :wizard => true,
186 :on_change => Proc.new{|bot, v| bot.sendq "NICK #{v}" })
187 BotConfig.register BotConfigStringValue.new('irc.user', :default => "rbot",
188 :requires_restart => true,
189 :desc => "local user the bot should appear to be", :wizard => true)
190 BotConfig.register BotConfigArrayValue.new('irc.join_channels',
191 :default => [], :wizard => true,
192 :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'")
193 BotConfig.register BotConfigArrayValue.new('irc.ignore_users',
195 :desc => "Which users to ignore input from. This is mainly to avoid bot-wars triggered by creative people")
197 BotConfig.register BotConfigIntegerValue.new('core.save_every',
198 :default => 60, :validate => Proc.new{|v| v >= 0},
199 # TODO change timer via on_change proc
200 :desc => "How often the bot should persist all configuration to disk (in case of a server crash, for example)")
202 BotConfig.register BotConfigBooleanValue.new('core.run_as_daemon',
203 :default => false, :requires_restart => true,
204 :desc => "Should the bot run as a daemon?")
206 BotConfig.register BotConfigStringValue.new('log.file',
207 :default => false, :requires_restart => true,
208 :desc => "Name of the logfile to which console messages will be redirected when the bot is run as a daemon")
209 BotConfig.register BotConfigIntegerValue.new('log.level',
210 :default => 1, :requires_restart => false,
211 :validate => Proc.new { |v| (0..5).include?(v) },
212 :on_change => Proc.new { |bot, v|
215 :desc => "The minimum logging level (0=DEBUG,1=INFO,2=WARN,3=ERROR,4=FATAL) for console messages")
216 BotConfig.register BotConfigIntegerValue.new('log.keep',
217 :default => 1, :requires_restart => true,
218 :validate => Proc.new { |v| v >= 0 },
219 :desc => "How many old console messages logfiles to keep")
220 BotConfig.register BotConfigIntegerValue.new('log.max_size',
221 :default => 10, :requires_restart => true,
222 :validate => Proc.new { |v| v > 0 },
223 :desc => "Maximum console messages logfile size (in megabytes)")
225 @argv = params[:argv]
227 unless FileTest.directory? Config::coredir
228 error "core directory '#{Config::coredir}' not found, did you setup.rb?"
232 unless FileTest.directory? Config::datadir
233 error "data directory '#{Config::datadir}' not found, did you setup.rb?"
237 unless botclass and not botclass.empty?
238 # We want to find a sensible default.
239 # * On POSIX systems we prefer ~/.rbot for the effective uid of the process
240 # * On Windows (at least the NT versions) we want to put our stuff in the
241 # Application Data folder.
242 # We don't use any particular O/S detection magic, exploiting the fact that
243 # Etc.getpwuid is nil on Windows
244 if Etc.getpwuid(Process::Sys.geteuid)
245 botclass = Etc.getpwuid(Process::Sys.geteuid)[:dir].dup
247 if ENV.has_key?('APPDATA')
248 botclass = ENV['APPDATA'].dup
249 botclass.gsub!("\\","/")
254 botclass = File.expand_path(botclass)
255 @botclass = botclass.gsub(/\/$/, "")
257 unless FileTest.directory? botclass
258 log "no #{botclass} directory found, creating from templates.."
259 if FileTest.exist? botclass
260 error "file #{botclass} exists but isn't a directory"
263 FileUtils.cp_r Config::datadir+'/templates', botclass
266 Dir.mkdir("#{botclass}/logs") unless File.exist?("#{botclass}/logs")
267 Dir.mkdir("#{botclass}/registry") unless File.exist?("#{botclass}/registry")
268 Dir.mkdir("#{botclass}/safe_save") unless File.exist?("#{botclass}/safe_save")
269 Utils.set_safe_save_dir("#{botclass}/safe_save")
274 @startup_time = Time.new
277 @config = BotConfig.configmanager
278 @config.bot_associate(self)
281 fatal e.backtrace.join("\n")
286 if @config['core.run_as_daemon']
290 @logfile = @config['log.file']
291 if @logfile.class!=String || @logfile.empty?
292 @logfile = "#{botclass}/#{File.basename(botclass).gsub(/^\.+/,'')}.log"
295 # See http://blog.humlab.umu.se/samuel/archives/000107.html
296 # for the backgrounding code
302 rescue NotImplementedError
303 warning "Could not background, fork not supported"
305 warning "Could not background. #{e.inspect}"
308 # File.umask 0000 # Ensure sensible umask. Adjust as needed.
309 log "Redirecting standard input/output/error"
311 STDIN.reopen "/dev/null"
313 # On Windows, there's not such thing as /dev/null
316 def STDOUT.write(str=nil)
318 return str.to_s.length
320 def STDERR.write(str=nil)
321 if str.to_s.match(/:\d+: warning:/)
326 return str.to_s.length
330 # Set the new logfile and loglevel. This must be done after the daemonizing
331 $logger = Logger.new(@logfile, @config['log.keep'], @config['log.max_size']*1024*1024)
332 $logger.datetime_format= $dateformat
333 $logger.level = @config['log.level']
334 $logger.level = $cl_loglevel if $cl_loglevel
335 $logger.level = 0 if $debug
339 @registry = BotRegistry.new self
341 @timer = Timer::Timer.new(1.0) # only need per-second granularity
342 @save_mutex = Mutex.new
343 @timer.add(@config['core.save_every']) { save } if @config['core.save_every']
344 @quit_mutex = Mutex.new
348 @httputil = Utils::HttpUtil.new(self)
351 @lang = Language::Language.new(self, @config['core.language'])
354 @auth = Auth::authmanager
355 @auth.bot_associate(self)
356 # @auth.load("#{botclass}/botusers.yaml")
359 fatal e.backtrace.join("\n")
363 @auth.everyone.set_default_permission("*", true)
364 @auth.botowner.password= @config['auth.password']
366 Dir.mkdir("#{botclass}/plugins") unless File.exist?("#{botclass}/plugins")
367 @plugins = Plugins::pluginmanager
368 @plugins.bot_associate(self)
369 @plugins.add_botmodule_dir(Config::coredir)
370 @plugins.add_botmodule_dir("#{botclass}/plugins")
371 @plugins.add_botmodule_dir(Config::datadir + "/plugins")
374 @socket = IrcSocket.new(@config['server.name'], @config['server.port'], @config['server.bindhost'], @config['server.sendq_delay'], @config['server.sendq_burst'], :ssl => @config['server.ssl'])
375 @client = IrcClient.new
376 myself.nick = @config['irc.nick']
378 # Channels where we are quiet
379 # It's nil when we are not quiet, an empty list when we are quiet
380 # in all channels, a list of channels otherwise
383 @client[:welcome] = proc {|data|
384 irclog "joined server #{@client.server} as #{myself}", "server"
386 @plugins.delegate("connect")
388 @config['irc.join_channels'].each { |c|
389 debug "autojoining channel #{c}"
390 if(c =~ /^(\S+)\s+(\S+)$/i)
397 @client[:isupport] = proc { |data|
398 # TODO this needs to go into rfc2812.rb
399 # Since capabs are two-steps processes, server.supports[:capab]
400 # should be a three-state: nil, [], [....]
401 sendq "CAPAB IDENTIFY-MSG" if server.supports[:capab]
403 @client[:datastr] = proc { |data|
404 # TODO this needs to go into rfc2812.rb
405 if data[:text] == "IDENTIFY-MSG"
406 server.capabilities["identify-msg".to_sym] = true
408 debug "Not handling RPL_DATASTR #{data[:servermessage]}"
411 @client[:privmsg] = proc { |data|
412 m = PrivMessage.new(self, server, data[:source], data[:target], data[:message])
413 # debug "Message source is #{data[:source].inspect}"
414 # debug "Message target is #{data[:target].inspect}"
415 # debug "Bot is #{myself.inspect}"
417 # TODO use the new Netmask class
418 # @config['irc.ignore_users'].each { |mask| return if Irc.netmaskmatch(mask,m.source) }
422 @plugins.delegate "listen", m
423 @plugins.privmsg(m) if m.address?
425 @client[:notice] = proc { |data|
426 message = NoticeMessage.new(self, server, data[:source], data[:target], data[:message])
427 # pass it off to plugins that want to hear everything
428 @plugins.delegate "listen", message
430 @client[:motd] = proc { |data|
431 data[:motd].each_line { |line|
432 irclog "MOTD: #{line}", "server"
435 @client[:nicktaken] = proc { |data|
436 nickchg "#{data[:nick]}_"
437 @plugins.delegate "nicktaken", data[:nick]
439 @client[:badnick] = proc {|data|
440 warning "bad nick (#{data[:nick]})"
442 @client[:ping] = proc {|data|
443 sendq "PONG #{data[:pingid]}"
445 @client[:pong] = proc {|data|
448 @client[:nick] = proc {|data|
449 source = data[:source]
452 m = NickMessage.new(self, server, source, old, new)
454 debug "my nick is now #{new}"
456 data[:is_on].each { |ch|
457 irclog "@ #{old} is now known as #{new}", ch
459 @plugins.delegate("listen", m)
460 @plugins.delegate("nick", m)
462 @client[:quit] = proc {|data|
463 source = data[:source]
464 message = data[:message]
465 m = QuitMessage.new(self, server, source, source, message)
466 data[:was_on].each { |ch|
467 irclog "@ Quit: #{source}: #{message}", ch
469 @plugins.delegate("listen", m)
470 @plugins.delegate("quit", m)
472 @client[:mode] = proc {|data|
473 irclog "@ Mode #{data[:modestring]} by #{data[:source]}", data[:channel]
475 @client[:join] = proc {|data|
476 m = JoinMessage.new(self, server, data[:source], data[:channel], data[:message])
479 @plugins.delegate("listen", m)
480 @plugins.delegate("join", m)
482 @client[:part] = proc {|data|
483 m = PartMessage.new(self, server, data[:source], data[:channel], data[:message])
486 @plugins.delegate("listen", m)
487 @plugins.delegate("part", m)
489 @client[:kick] = proc {|data|
490 m = KickMessage.new(self, server, data[:source], data[:target], data[:channel],data[:message])
493 @plugins.delegate("listen", m)
494 @plugins.delegate("kick", m)
496 @client[:invite] = proc {|data|
497 if data[:target] == myself
498 join data[:channel] if @auth.allow?("join", data[:source], data[:source].nick)
501 @client[:changetopic] = proc {|data|
502 m = TopicMessage.new(self, server, data[:source], data[:channel], data[:topic])
505 @plugins.delegate("listen", m)
506 @plugins.delegate("topic", m)
508 @client[:topic] = proc { |data|
509 irclog "@ Topic is \"#{data[:topic]}\"", data[:channel]
511 @client[:topicinfo] = proc { |data|
512 channel = data[:channel]
513 topic = channel.topic
514 irclog "@ Topic set by #{topic.set_by} on #{topic.set_on}", channel
515 m = TopicMessage.new(self, server, data[:source], channel, topic)
517 @plugins.delegate("listen", m)
518 @plugins.delegate("topic", m)
520 @client[:names] = proc { |data|
521 @plugins.delegate "names", data[:channel], data[:users]
523 @client[:unknown] = proc { |data|
524 #debug "UNKNOWN: #{data[:serverstring]}"
525 irclog data[:serverstring], ".unknown"
529 # checks if we should be quiet on a channel
530 def quiet_on?(channel)
531 return false unless @quiet
532 return true if @quiet.empty?
533 return @quiet.include?(channel.to_s)
536 def set_quiet(channel=nil)
538 @quiet << channel.to_s unless @quiet.include?(channel.to_s)
544 def reset_quiet(channel=nil)
546 @quiet.delete_if { |x| x == channel.to_s }
552 # things to do when we receive a signal
554 debug "received #{sig}, queueing quit"
556 quit unless @quit_mutex.locked?
557 debug "interrupted #{$interrupted} times"
565 # connect the bot to IRC
568 trap("SIGINT") { got_sig("SIGINT") }
569 trap("SIGTERM") { got_sig("SIGTERM") }
570 trap("SIGHUP") { got_sig("SIGHUP") }
571 rescue ArgumentError => e
572 debug "failed to trap signals (#{e.inspect}): running on Windows?"
574 debug "failed to trap signals: #{e.inspect}"
577 quit if $interrupted > 0
580 raise e.class, "failed to connect to IRC server at #{@config['server.name']} #{@config['server.port']}: " + e
582 quit if $interrupted > 0
583 @socket.emergency_puts "PASS " + @config['server.password'] if @config['server.password']
584 @socket.emergency_puts "NICK #{@config['irc.nick']}\nUSER #{@config['irc.user']} 4 #{@config['server.name']} :Ruby bot. (c) Tom Gilbert"
585 quit if $interrupted > 0
589 # begin event handling loop
593 quit if $interrupted > 0
597 while @socket.connected?
598 quit if $interrupted > 0
600 break unless reply = @socket.gets
601 @client.process reply
605 # I despair of this. Some of my users get "connection reset by peer"
606 # exceptions that ARENT SocketError's. How am I supposed to handle
611 rescue Errno::ETIMEDOUT, Errno::ECONNABORTED, TimeoutError, SocketError => e
612 error "network exception: #{e.class}: #{e}"
613 debug e.backtrace.join("\n")
614 rescue BDB::Fatal => e
615 fatal "fatal bdb error: #{e.class}: #{e}"
616 fatal e.backtrace.join("\n")
618 # Why restart? DB problems are serious stuff ...
619 # restart("Oops, we seem to have registry problems ...")
622 rescue Exception => e
623 error "non-net exception: #{e.class}: #{e}"
624 error e.backtrace.join("\n")
626 fatal "unexpected exception: #{e.class}: #{e}"
627 fatal e.backtrace.join("\n")
634 if @socket.connected?
641 quit if $interrupted > 0
643 log "waiting to reconnect"
644 sleep @config['server.reconnect_wait']
648 # type:: message type
649 # where:: message target
650 # message:: message text
651 # send message +message+ of type +type+ to target +where+
652 # Type can be PRIVMSG, NOTICE, etc, but those you should really use the
653 # relevant say() or notice() methods. This one should be used for IRCd
654 # extensions you want to use in modules.
655 def sendmsg(type, where, message, chan=nil, ring=0)
656 # Split the message so that each line sent is not longher than 400 bytes
657 # TODO allow something to do for commands that produce too many messages
658 # TODO example: math 10**10000
659 # TODO try to use the maximum line length allowed by the server, if there is
660 # a way to know what it is
661 left = 400 - type.length - where.to_s.length - 3
663 if(left >= message.length)
664 sendq "#{type} #{where} :#{message}", chan, ring
665 log_sent(type, where, message)
668 line = message.slice!(0, left)
669 lastspace = line.rindex(/\s+/)
671 message = line.slice!(lastspace, line.length) + message
672 message.gsub!(/^\s+/, "")
674 sendq "#{type} #{where} :#{line}", chan, ring
675 log_sent(type, where, line)
676 end while(message.length > 0)
679 # queue an arbitraty message for the server
680 def sendq(message="", chan=nil, ring=0)
682 @socket.queue(message, chan, ring)
685 # send a notice message to channel/nick +where+
686 def notice(where, message, mchan="", mring=-1)
702 message.each_line { |line|
704 next unless(line.length > 0)
705 sendmsg "NOTICE", where, line, chan, ring
709 # say something (PRIVMSG) to channel/nick +where+
710 def say(where, message, mchan="", mring=-1)
726 message.to_s.gsub(/[\r\n]+/, "\n").each_line { |line|
728 next unless(line.length > 0)
729 unless quiet_on?(where)
730 sendmsg "PRIVMSG", where, line, chan, ring
735 # perform a CTCP action with message +message+ to channel/nick +where+
736 def action(where, message, mchan="", mring=-1)
752 sendq "PRIVMSG #{where} :\001ACTION #{message}\001", chan, ring
755 irclog "* #{myself} #{message}", where
757 irclog "* #{myself}[#{where}] #{message}", where
761 # quick way to say "okay" (or equivalent) to +where+
763 say where, @lang.get("okay")
766 # log IRC-related message +message+ to a file determined by +where+.
767 # +where+ can be a channel name, or a nick for private message logging
768 def irclog(message, where="server")
769 message = message.chomp
770 stamp = Time.now.strftime("%Y/%m/%d %H:%M:%S")
771 where = where.to_s.gsub(/[:!?$*()\/\\<>|"']/, "_")
772 unless(@logs.has_key?(where))
773 @logs[where] = File.new("#{@botclass}/logs/#{where}", "a")
774 @logs[where].sync = true
776 @logs[where].puts "[#{stamp}] #{message}"
777 #debug "[#{stamp}] <#{where}> #{message}"
780 # set topic of channel +where+ to +topic+
781 def topic(where, topic)
782 sendq "TOPIC #{where} :#{topic}", where, 2
785 # disconnect from the server and cleanup all plugins and modules
786 def shutdown(message = nil)
787 @quit_mutex.synchronize do
788 debug "Shutting down ..."
789 ## No we don't restore them ... let everything run through
791 # trap("SIGINT", "DEFAULT")
792 # trap("SIGTERM", "DEFAULT")
793 # trap("SIGHUP", "DEFAULT")
795 # debug "failed to restore signals: #{e.inspect}\nProbably running on windows?"
797 message = @lang.get("quit") if (message.nil? || message.empty?)
798 if @socket.connected?
799 debug "Clearing socket"
801 debug "Sending quit message"
802 @socket.emergency_puts "QUIT :#{message}"
803 debug "Flushing socket"
805 debug "Shutting down socket"
808 debug "Logging quits"
809 server.channels.each { |ch|
810 irclog "@ quit (#{message})", ch
815 @save_mutex.synchronize do
818 # debug "Closing registries"
820 debug "Cleaning up the db environment"
822 log "rbot quit (#{message})"
826 # message:: optional IRC quit message
827 # quit IRC, shutdown the bot
828 def quit(message=nil)
836 # totally shutdown and respawn the bot
837 def restart(message = false)
838 msg = message ? message : "restarting, back in #{@config['server.reconnect_wait']}..."
840 sleep @config['server.reconnect_wait']
842 # Note, this fails on Windows
846 # call the save method for all of the botmodules
848 @save_mutex.synchronize do
854 # call the rescan method for all of the botmodules
856 @save_mutex.synchronize do
862 # channel:: channel to join
863 # key:: optional channel key if channel is +s
865 def join(channel, key=nil)
867 sendq "JOIN #{channel} :#{key}", channel, 2
869 sendq "JOIN #{channel}", channel, 2
874 def part(channel, message="")
875 sendq "PART #{channel} :#{message}", channel, 2
878 # attempt to change bot's nick to +name+
884 def mode(channel, mode, target)
885 sendq "MODE #{channel} #{mode} #{target}", channel, 2
889 def kick(channel, user, msg)
890 sendq "KICK #{channel} #{user} :#{msg}", channel, 2
893 # m:: message asking for help
894 # topic:: optional topic help is requested for
895 # respond to online help requests
897 topic = nil if topic == ""
900 helpstr = "help topics: "
901 helpstr += @plugins.helptopics
902 helpstr += " (help <topic> for more info)"
904 unless(helpstr = @plugins.help(topic))
905 helpstr = "no help for topic #{topic}"
911 # returns a string describing the current status of the bot (uptime etc)
913 secs_up = Time.new - @startup_time
914 uptime = Utils.secs_to_string secs_up
915 # return "Uptime #{uptime}, #{@plugins.length} plugins active, #{@registry.length} items stored in registry, #{@socket.lines_sent} lines sent, #{@socket.lines_received} received."
916 return "Uptime #{uptime}, #{@plugins.length} plugins active, #{@socket.lines_sent} lines sent, #{@socket.lines_received} received."
919 # we'll ping the server every 30 seconds or so, and expect a response
920 # before the next one come around..
921 def start_server_pings
923 return unless @config['server.ping_timeout'] > 0
924 # we want to respond to a hung server within 30 secs or so
925 @ping_timer = @timer.add(30) {
926 @last_ping = Time.now
927 @socket.queue "PING :rbot"
929 @pong_timer = @timer.add(10) {
930 unless @last_ping.nil?
931 diff = Time.now - @last_ping
932 unless diff < @config['server.ping_timeout']
933 debug "no PONG from server for #{diff} seconds, reconnecting"
937 debug "couldn't shutdown connection (already shutdown?)"
940 raise TimeoutError, "no PONG from server in #{diff} seconds"
946 def stop_server_pings
948 # stop existing timers if running
949 unless @ping_timer.nil?
950 @timer.remove @ping_timer
953 unless @pong_timer.nil?
954 @timer.remove @pong_timer
964 irclog "* [#{m.sourcenick}(#{m.sourceaddress})] #{m.message}", m.sourcenick
966 irclog "* #{m.sourcenick} #{m.message}", m.target
970 irclog "<#{m.sourcenick}> #{m.message}", m.target
972 irclog "[#{m.sourcenick}(#{m.sourceaddress})] #{m.message}", m.sourcenick
977 # log a message. Internal use only.
978 def log_sent(type, where, message)
983 irclog "-=#{myself}=- #{message}", where
985 irclog "[-=#{where}=-] #{message}", where
990 irclog "<#{myself}> #{message}", where
992 irclog "[msg(#{where})] #{message}", where
999 debug "joined channel #{m.channel}"
1000 irclog "@ Joined channel #{m.channel}", m.channel
1002 irclog "@ #{m.sourcenick} joined channel #{m.channel}", m.channel
1008 debug "left channel #{m.channel}"
1009 irclog "@ Left channel #{m.channel} (#{m.message})", m.channel
1011 irclog "@ #{m.sourcenick} left channel #{m.channel} (#{m.message})", m.channel
1017 debug "kicked from channel #{m.channel}"
1018 irclog "@ You have been kicked from #{m.channel} by #{m.sourcenick} (#{m.message})", m.channel
1020 irclog "@ #{m.target} has been kicked from #{m.channel} by #{m.sourcenick} (#{m.message})", m.channel
1025 if m.source == myself
1026 irclog "@ I set topic \"#{m.topic}\"", m.channel
1028 irclog "@ #{m.source} set topic \"#{m.topic}\"", m.channel